Introduction
Data Collection
2.1 Data Crawling
Sentiment Analysis
3.1 Data Wrangling
3.2 Clean the Data
3.3 Create Wordcloud
3.4 Calculate Polarity and Subjectivity
3.5 Emotional Type and Mapping
Results
Limitations and Disscussion
Conclusion
The increasing adoption of electric vehicles (EVs) in the UK is expected to increase given their potential contribution to reduce greenhouse gases and dependency on fossil fuels.The UK Government's Smart Charging Action Plan for electric vehicles explains that by 2030 there will be up to 10 million electric vehicles on roads, as the UK speeds ahead on its journey to net zero.As of 1 January 2023, there were 37,055 public electric vehicle charging devices installed in the UK, compared to 1 October 2022,total installed devices increased by 2,418, an increase of 7%. The geographical distribution of charging equipment within the UK is uneven. Some UK local authorities have bid for UK government funding for charging equipment, while others have not. Much of this infrastructure provision is market-driven, with individual charging networks and other businesses (such as hotels) choosing where to install equipment(Official Statistics, 2023). As a result, the charging experience for users varies due to factors such as the speed of charging, frequency of servicing and location distribution of equipment at charging stations.
This project will be based on data from the Zap-Map platform, using Leeds as a scope, to analyse the sentiment of user reviews of electric vehicle charging stations. We will create word clouds of comments, counting the most frequent words in the comments; we then Calculate Polarity and Subjectivity on these comments to be used to determine whether a comment expresses a positive, negative or neutral view, which allows the user's attitude to be determined by quantifying the sentiment of the text. Finally, we used NRCLex to conduct a sentiment analysis of the main types of sentiment in the comments and to create a sentiment map to explore the spatial distribution of sentiment.
There are three databases will be used in this project.
The first and second databases are the location data and user rating data of all EV charging posts in Leeds crawled from Zap-Map respectively (Time as of January 23, 2023).
The third is the Medium-scale area level data obtained from the Leeds Observatory, which is a shapefile containing Leeds' MSOA data, location, latitude and longitude, etc.This data can help us create emotional maps for spatial analysis.
Through data crawling, this study selected the data of all electric vehicle charging piles in Leeds on the Zap-Map platform, including serial number ID, latitude and longitude, zip code, and user comments data of each charging pile.The process includes webpage data analysis, acquisition of ChargePoints List and acquisition of Chargepoint Detail.
Webpage Data Analysis
First, go to the website: https://www.zap-map.com/live/ and use Chrome Developer Tools to observe the network activity data. Select the Fetch/XHR option to filter out the communication data with the server, and you can find that you can get the relative coordinates of the map, user information, and other data for each charging point. Next, analyzing the content of each packet, the packet named key can be found, which returns data as the id and map information of all charging points. After clicking the charging point icon on the map, the network activity increases the status data and the page presents the charging point details. As we can see, the status data contains the current status of the corresponding charging point. Similarly, by clicking on the corresponding charging point icon, the packets of detailed information (INFO), device information (DEVICES) and comment information (CHAT) can be obtained. Finally, the header and the response of the packet are analyzed, and the corresponding request can be constructed to realize data crawling.
Acquisition of ChargePoints List
All charging point information, which is transmitted by key packets, is therefore analyzed. Observing the header, it is found that in addition to the regular User-Agent parameter, the X-Api-Key parameter is carried, and the value is a hashed string. It is guessed that this value corresponds to the information of the login account, and the server checks this parameter to decide whether to respond to the current request. Based on this, forging the request header and carrying the Key, the request can get the response data. Observe the response, the response data is in JSON format, the content is the id, latitude and longitude of all charging points, etc., the JSON data can be parsed and processed. (The data thus obtained contains all charging points on the map).
Acquisition of Chargepoint Detail
After clicking on a charging point, we check the data packet and analyze that for each charging point, there is a corresponding id for representation, and the web page will initiate a request based on the id to obtain specific data. The target crawled data are the current charging point each charging post status, charging point history comments and charging point details, analyzed headers and responses. As the charging point information is directly obtained, it contains all charging points of the map, while only Leeds area charging points are actually required. At the same time, the anti-crawling mechanism of the web server is that it makes a certain limit for the request frequency of the same IP, and when the frequency is too high, it will refuse to return information. In order to improve the crawling speed, reduce the impact of non-Leeds area data, and at the same time avoid a large amount of data crawling trigger anti-crawl mechanism, the following restrictions and filters are made on the requested data.
import os
import glob
import pandas as pd
import numpy as np
import csv
import re
import requests
import matplotlib.pyplot as plt
plt.style.use('fivethirtyeight')
import seaborn as sns
import math
pd.options.mode.chained_assignment = None
import requests
import json
import os
from tqdm import tqdm
import time
import random
import urllib3
%matplotlib inline
D:\anaconda\anacon\envs\spatialenv\lib\site-packages\numpy\_distributor_init.py:30: UserWarning: loaded more than 1 DLL from .libs:
D:\anaconda\anacon\envs\spatialenv\lib\site-packages\numpy\.libs\libopenblas.FB5AE2TYXYH2IJRDKGDGQ3XBKLKTF43H.gfortran-win_amd64.dll
D:\anaconda\anacon\envs\spatialenv\lib\site-packages\numpy\.libs\libopenblas64__v0.3.21-gcc_10_3_0.dll
warnings.warn("loaded more than 1 DLL from .libs:"
# set local dir
# os.chdir(os.path.dirname(os.path.abspath(__file__)))
# if ./data not exists, create it
if not os.path.exists("./data"):
os.mkdir("./data")
SET_PROXY_FLAG = True
VERIFY = True
USER_KEY = "e62aabddc630ffd527be290e775ccd6b"
headers = {
"Accept": "*/*",
"Accept-Language": "zh-CN,zh;q=0.9,en-US;q=0.8,en;q=0.7,zh-HK;q=0.6",
"Connection": "keep-alive",
"DNT": "1",
"Origin": "https://map.zap-map.com",
"Referer": "https://map.zap-map.com/",
"Sec-Fetch-Dest": "empty",
"Sec-Fetch-Mode": "cors",
"Sec-Fetch-Site": "same-site",
"User-Agent": "Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_7) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/109.0.0.0 Safari/537.36",
"X-Api-Key": USER_KEY,
"client-version": "4.9",
"sec-ch-ua": '"Not_A Brand";v="99", "Google Chrome";v="109", "Chromium";v="109"',
"sec-ch-ua-mobile": "?0",
"sec-ch-ua-platform": '"macOS"',
}
def set_proxy():
if not SET_PROXY_FLAG:
return None
proxies = {
"http": "http://127.0.0.1:58585",
"https": "http://127.0.0.1:58585",
}
return proxies
def fetch_all_chargepoints():
"""
Get all chargepoints from zap-map
"""
print("* Getting all chargepoints...")
# check if file exists
ret = None
if os.path.exists("chargepoints.json"):
# load_inp = input(" - Load from file? (y/n)")
load_inp = "y"
if load_inp == "y":
with open("chargepoints.json", "r") as f:
return json.load(f)
url = "https://api.zap-map.com/v5/chargepoints/locations/keys"
proxies = set_proxy()
response = requests.get(url, headers=headers, proxies=proxies)
# check status code
print(" Status code: ", response.status_code)
if response.status_code != 200:
print(" Error: ", response.text)
return None
# save to file
with open("chargepoints.json", "w") as f:
f.write(response.text)
return response.json()
def extract_cps_info(cps_json):
print("* Extracting chargepoints info...")
data = cps_json['resources']['chargepoint_locations_keys']['data']
ret = []
for cp in tqdm(data):
ret.append({
"id": cp['id'],
"longitude": cp['longitude'],
"latitude": cp['latitude'],
})
# describe info
print(" Total chargepoints: ", len(ret))
print(" Sample: ", ret[0])
return ret
def load_exist_file(cp_id, type):
if os.path.exists(f"./data/{cp_id}_{type}.json"):
with open(f"./data/{cp_id}_{type}.json", "r") as f:
return json.load(f)
return None
def get_cp_info(cp_id):
response = load_exist_file(cp_id, "info")
if response is None:
time.sleep(random.randint(1, 5) * 0.1)
url = "https://api.zap-map.com/v5/chargepoints/location/" + \
str(cp_id) + "/info"
proxies = set_proxy()
response = requests.get(url, headers=headers,
proxies=proxies, verify=VERIFY)
# check status code
# print(" Status code: ", response.status_code)
if response.status_code != 200:
print(" Error: ", response.text)
return None
with open(f"./data/{cp_id}_info.json", "w") as f:
f.write(response.text)
response = response.json()
location = response[
'resources']['chargepoint_location_info']['data']['details'][0]['description']
return location.split('\r\n')
def get_cp_chat(cp_id):
response = load_exist_file(cp_id, "chat")
if response is None:
url = "https://api.zap-map.com/v5/chats?nobots=1&chargepoint-location=" + \
str(cp_id)
proxies = set_proxy()
response = requests.get(url, headers=headers,
proxies=proxies, verify=VERIFY)
# check status code
# print(" Status code: ", response.status_code)
if response.status_code != 200:
print(" Error: ", response.text)
return None
# save to file
with open(f"./data/{cp_id}_chat.json", "w") as f:
f.write(response.text)
response = response.json()
comments = response['resources']['chats']['data']
ret = []
for comment in comments:
ret.append(comment['comment'])
return ret
def get_cp_status(cp_id):
response = load_exist_file(cp_id, "status")
if response is None:
url = "https://api.zap-map.com/v5/chargepoints/locations/" + str(cp_id)
proxies = set_proxy()
response = requests.get(url, headers=headers,
proxies=proxies, verify=VERIFY)
if response.status_code != 200:
print(" Error: ", response.text)
return None
# save to file
with open(f"./data/{cp_id}_status.json", "w") as f:
f.write(response.text)
response = response.json()
devices = response[
'resources']['location_info']['data']['devices']
status = []
for device in devices:
status.extend([x['status']['description']
for x in device['connectors']])
return status
def check_long_lat(long, lat):
left_bound_long = -1.67
right_bound_long = -1.40
upper_bound_lat = 53.88
lower_bound_lat = 53.73
if long < left_bound_long or long > right_bound_long:
return False
if lat < lower_bound_lat or lat > upper_bound_lat:
return False
return True
def worker(cp_info):
"""worker function"""
try:
cp_id = cp_info['id']
long = cp_info['longitude']
lat = cp_info['latitude']
if not check_long_lat(long, lat):
return None
location = get_cp_info(cp_id)
if location[-1][:2] != 'LS':
return None
address = ' '.join(location[:-1])
postcode = location[-1]
comments = get_cp_chat(cp_id)
status = get_cp_status(cp_id)
return {
"id": cp_id,
"longitude": long,
"latitude": lat,
"address": address,
"postcode": postcode,
"comments": comments,
"status": status
}
except Exception as e:
print(e)
return None
def get_detail_info(cps_list):
from multiprocessing import Pool
res_list = []
with Pool(50) as p:
for res in tqdm(p.imap_unordered(worker, cps_list), total=len(cps_list)):
if res is not None:
res_list.append(res)
return res_list
def main():
# target:
# longitude
# latitude
# location
# user comments
# is_charge_finished
chargepoints = fetch_all_chargepoints()
cps_list = extract_cps_info(chargepoints)
res = get_detail_info(cps_list)
# convert res to dataframe
df = pd.DataFrame(res)
df.to_csv("data.csv", index=False)
print(df.head(1))
df["comments"] = df["comments"].apply(
lambda x: '_@_@_'.join([i for i in x if i != '']))
df["status"] = df["status"].apply(
lambda x: '_@_@_'.join([i for i in x if i != '']))
df_expand = pd.concat([df[['id', 'longitude', 'latitude', 'address', 'postcode']], df['comments'].str.split(
'_@_@_', expand=True), df['status'].str.split('_@_@_', expand=True)], axis=1)
df_expand.to_csv("data_expand.csv", index=False)
print(df_expand.head(1))
def load_and_split():
df = pd.read_csv("data.csv")
# eval df['comments']
df["comments"] = df["comments"].apply(lambda x: eval(x))
# remove blank comments
df["comments"] = df["comments"].apply(
lambda x: [i for i in x if i.strip() != ''])
# explode comments
df = df.explode('comments')
print(df.head(5))
# save to csv
df.to_csv("data_explode.csv", index=False)
def export_cps_info():
df = pd.read_csv("data.csv")
df = df[['id', 'longitude', 'latitude', 'address', 'postcode']]
df.to_csv("data_cps_info.csv", index=False)
if __name__ == "__main__":
export_cps_info()
Sentiment analysis (Basant et al., 2015) uses the natural language processing (NLP), text analysis and computational techniques to automate the extraction or classification of sentiment from sentiment reviews. Analysis of these sentiments and opinions has spread across many fields such as Consumer information, Marketing, books, application, websites, and Social. Sentiment analysis becomes a hot area in decision-making (Tawunrat and Jeremy, 2015) (Matthew et al., 2015).Due to the recent development of Internet media such as SNS, e-commerce, and online communities, text data containing subjective elements is flooding online(Han, G.H.and Jin, S.H., 2014).
In this dataset, we have 134 data points and 5 columns with no null values. In other words, we have crawled a total of 134 EV charging stations.
ev_stations = pd.read_csv('./data_cps_info.csv',encoding='utf-8')
ev_stations.info()
<class 'pandas.core.frame.DataFrame'> RangeIndex: 134 entries, 0 to 133 Data columns (total 5 columns): # Column Non-Null Count Dtype --- ------ -------------- ----- 0 id 134 non-null int64 1 longitude 134 non-null float64 2 latitude 134 non-null float64 3 address 134 non-null object 4 postcode 134 non-null object dtypes: float64(2), int64(1), object(2) memory usage: 5.4+ KB
ev_stations['town'] = 'Leeds'
locations = ev_stations[ev_stations['latitude'].notnull() & ev_stations['longitude'].notnull()]
Leeds_EV_locations = locations[locations['town'] == 'Leeds']
Leeds_EV_locations
| id | longitude | latitude | address | postcode | town | |
|---|---|---|---|---|---|---|
| 0 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | Leeds |
| 1 | 2451 | -1.665348 | 53.803221 | 7 Richardshaw Lane Pudsey West Yorkshire | LS28 6BN | Leeds |
| 2 | 3102 | -1.569375 | 53.787150 | Domestic Road Leeds West Yorkshire | LS12 6HG | Leeds |
| 3 | 3103 | -1.530569 | 53.748486 | Holme Well Road Leeds West Yorkshire | LS10 4TQ | Leeds |
| 4 | 3364 | -1.585622 | 53.732774 | Capitol Boulevard Leeds West Yorkshire | LS27 0TS | Leeds |
| ... | ... | ... | ... | ... | ... | ... |
| 129 | 123328 | -1.544626 | 53.794065 | Sovereign Square, Swinegate, Leeds West Yorkshire | LS1 4AG | Leeds |
| 130 | 19572 | -1.601800 | 53.739452 | Quarry Court High Street Morley Leeds West Yor... | LS27 0BY | Leeds |
| 131 | 19608 | -1.620122 | 53.742163 | Bruntcliffe Road Morley Leeds West Yorkshire | LS27 0LF | Leeds |
| 132 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | Leeds |
| 133 | 125598 | -1.449285 | 53.870908 | 12 Syke Grn Scarcroft Leeds West Yorkshire | LS14 3BS | Leeds |
134 rows × 6 columns
The folium module makes creating interactive maps very easy. We create a basic map by setting the starting location centered on the location we're interested in, and a starting zoom level that will show that location in its entirety. After that, we loop through the dataframe of charging stations we found in that location, and add a Marker to the map for each one. We'll add the street address to each marker.
import folium
from folium import Marker
Leeds_map = folium.Map(location=[53.850,-1.500], tiles='openstreetmap', zoom_start=11)
for idx, row in Leeds_EV_locations.iterrows():
Marker(location=[row['latitude'], row['longitude']],
popup=row['address']).add_to(Leeds_map)
Leeds_map
If we want to show the charging locations for a larger area, we need to group the markers so we're not adding thousands of them to the map. We can do that with a MarkerCluster object. Let's create a dataframe with all of the stations for the Leeds, then add them to a map using a MarkerCluster.
from folium.plugins import MarkerCluster
UK_map = folium.Map(location=[53.850,-1.500], tiles='openstreetmap', zoom_start=10)
mc = MarkerCluster()
for idx, row in ev_stations.iterrows():
mc.add_child(Marker(location=[row['latitude'], row['longitude']],
popup=row['address']))
UK_map.add_child(mc)
UK_map
The first step is to remove @ symbol and url,remove emojis,remoband split the review text into its individual words and make all of the words lower-cased. Finally remove the null values and rearrange the indexes. Then, add a new column, called 'formatted_comments', which each entry is a list of the lower-cased-cleaned words in a review.
dataFrame=pd.read_csv('./data_explode.csv',encoding='utf-8')
dataFrame
| id | longitude | latitude | address | postcode | comments | status | |
|---|---|---|---|---|---|---|---|
| 0 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | Charged via prior appointment only whilst visi... | ['Unknown status'] |
| 1 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | I have just got a electric car, how do I pay a... | ['Unknown status'] |
| 2 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | All good. Hard to find (it's next to Tarte & B... | ['Unknown status'] |
| 3 | 2451 | -1.665348 | 53.803221 | 7 Richardshaw Lane Pudsey West Yorkshire | LS28 6BN | Admin, location type 'restaurant' please | ['Unknown status'] |
| 4 | 2451 | -1.665348 | 53.803221 | 7 Richardshaw Lane Pudsey West Yorkshire | LS28 6BN | Charger bay blocked by staff vehicles when I h... | ['Unknown status'] |
| ... | ... | ... | ... | ... | ... | ... | ... |
| 3322 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | A little confusing to find with post code esp ... | ['Available', 'Available', 'Available', 'Avail... |
| 3323 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | Good charge rate close to 70Kw on CCS with Hyu... | ['Available', 'Available', 'Available', 'Avail... |
| 3324 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | Adding second photo... | ['Available', 'Available', 'Available', 'Avail... |
| 3325 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | Ioniq successfully charged on the 100kW CCS co... | ['Available', 'Available', 'Available', 'Avail... |
| 3326 | 125598 | -1.449285 | 53.870908 | 12 Syke Grn Scarcroft Leeds West Yorkshire | LS14 3BS | NaN | ['Unknown status'] |
3327 rows × 7 columns
dataFrame.info()
<class 'pandas.core.frame.DataFrame'> RangeIndex: 3327 entries, 0 to 3326 Data columns (total 7 columns): # Column Non-Null Count Dtype --- ------ -------------- ----- 0 id 3327 non-null int64 1 longitude 3327 non-null float64 2 latitude 3327 non-null float64 3 address 3327 non-null object 4 postcode 3327 non-null object 5 comments 3306 non-null object 6 status 3327 non-null object dtypes: float64(2), int64(1), object(4) memory usage: 182.1+ KB
Remove @ symbol and url.
def remove_pattern(input_txt, pattern):
r = re.findall(pattern, input_txt)
for i in r:
input_txt = re.sub(i, '', input_txt)
return input_txt
dataFrame['comments']=dataFrame['comments'].astype(str)
dataFrame['comments'] = np.vectorize(remove_pattern)(dataFrame['comments'], "@[\w]*")
dataFrame['comments'] = dataFrame['comments'].str.replace('http\S+|www.\S+', '', case=False)
Remove emojis.
def deEmojify(inputString):
return inputString.encode('ascii', 'ignore').decode('ascii')
dataFrame['comments'] = dataFrame['comments'] .apply(lambda s: deEmojify(s))
Remove the punctuation, then transform to lowercase and split the words.
import string
def remove_punctuation(sentence):
"""
Remove punctuation from the input sentence.
"""
translator = str.maketrans('', '', string.punctuation)
return sentence.translate(translator)
dataFrame['comments']=dataFrame['comments'].apply(remove_punctuation)
dataFrame['formatted_comments']=dataFrame['comments'].str.lower()
dataFrame['formatted_comments']=dataFrame['formatted_comments'].str.split()
dataFrame['formatted_comments']
0 [charged, via, prior, appointment, only, whils...
1 [i, have, just, got, a, electric, car, how, do...
2 [all, good, hard, to, find, its, next, to, tar...
3 [admin, location, type, restaurant, please]
4 [charger, bay, blocked, by, staff, vehicles, w...
...
3322 [a, little, confusing, to, find, with, post, c...
3323 [good, charge, rate, close, to, 70kw, on, ccs,...
3324 [adding, second, photo]
3325 [ioniq, successfully, charged, on, the, 100kw,...
3326 [nan]
Name: formatted_comments, Length: 3327, dtype: object
Entries with null values in the comments column will be removed.
dataFrame = dataFrame.drop(index = dataFrame[dataFrame["comments"] == "nan"].index.tolist())
Since our operation removed some null values, we reset the index of the DataFrame, and use the default one instead.
dataFrame1 = dataFrame.reset_index()
dataFrame1
| index | id | longitude | latitude | address | postcode | comments | status | formatted_comments | |
|---|---|---|---|---|---|---|---|---|---|
| 0 | 0 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | Charged via prior appointment only whilst visi... | ['Unknown status'] | [charged, via, prior, appointment, only, whils... |
| 1 | 1 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | I have just got a electric car how do I pay at... | ['Unknown status'] | [i, have, just, got, a, electric, car, how, do... |
| 2 | 2 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | All good Hard to find its next to Tarte Berry... | ['Unknown status'] | [all, good, hard, to, find, its, next, to, tar... |
| 3 | 3 | 2451 | -1.665348 | 53.803221 | 7 Richardshaw Lane Pudsey West Yorkshire | LS28 6BN | Admin location type restaurant please | ['Unknown status'] | [admin, location, type, restaurant, please] |
| 4 | 4 | 2451 | -1.665348 | 53.803221 | 7 Richardshaw Lane Pudsey West Yorkshire | LS28 6BN | Charger bay blocked by staff vehicles when I h... | ['Unknown status'] | [charger, bay, blocked, by, staff, vehicles, w... |
| ... | ... | ... | ... | ... | ... | ... | ... | ... | ... |
| 3301 | 3321 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | Worked on Chad Didnt feel safe there and Im 6... | ['Available', 'Available', 'Available', 'Avail... | [worked, on, chad, didnt, feel, safe, there, a... |
| 3302 | 3322 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | A little confusing to find with post code esp ... | ['Available', 'Available', 'Available', 'Avail... | [a, little, confusing, to, find, with, post, c... |
| 3303 | 3323 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | Good charge rate close to 70Kw on CCS with Hyu... | ['Available', 'Available', 'Available', 'Avail... | [good, charge, rate, close, to, 70kw, on, ccs,... |
| 3304 | 3324 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | Adding second photo | ['Available', 'Available', 'Available', 'Avail... | [adding, second, photo] |
| 3305 | 3325 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | Ioniq successfully charged on the 100kW CCS co... | ['Available', 'Available', 'Available', 'Avail... | [ioniq, successfully, charged, on, the, 100kw,... |
3306 rows × 9 columns
dataFrame1['formatted_comments']
0 [charged, via, prior, appointment, only, whils...
1 [i, have, just, got, a, electric, car, how, do...
2 [all, good, hard, to, find, its, next, to, tar...
3 [admin, location, type, restaurant, please]
4 [charger, bay, blocked, by, staff, vehicles, w...
...
3301 [worked, on, chad, didnt, feel, safe, there, a...
3302 [a, little, confusing, to, find, with, post, c...
3303 [good, charge, rate, close, to, 70kw, on, ccs,...
3304 [adding, second, photo]
3305 [ioniq, successfully, charged, on, the, 100kw,...
Name: formatted_comments, Length: 3306, dtype: object
Word Cloud is a data visualization technique used for representing text data in which the size of each word indicates its frequency or importance. Significant textual data points can be highlighted using a word cloud. Word clouds are widely used for analyzing data from social network websites.
In this project, we used text mining and topic modeling to identify the most frequently occurring words in the dataset while excluding the most frequent set of words such as 'a' 'I' 'the' etc. Based on this, we were able to decipher the positive, negative and neutral words and mindsets associated with EV Charging Stations. Based on this interpretation, we further visualize it as 3 different word colors.
!pip install nltk
Requirement already satisfied: nltk in d:\anaconda\anacon\lib\site-packages (3.7) Requirement already satisfied: regex>=2021.8.3 in d:\anaconda\anacon\lib\site-packages (from nltk) (2022.7.9) Requirement already satisfied: tqdm in d:\anaconda\anacon\lib\site-packages (from nltk) (4.64.1) Requirement already satisfied: click in d:\anaconda\anacon\lib\site-packages (from nltk) (7.1.2) Requirement already satisfied: joblib in d:\anaconda\anacon\lib\site-packages (from nltk) (1.1.1) Requirement already satisfied: colorama in d:\anaconda\anacon\lib\site-packages (from tqdm->nltk) (0.4.5) Could not fetch URL https://pypi.org/simple/pip/: There was a problem confirming the ssl certificate: HTTPSConnectionPool(host='pypi.org', port=443): Max retries exceeded with url: /simple/pip/ (Caused by SSLError(SSLEOFError(8, 'EOF occurred in violation of protocol (_ssl.c:1129)'))) - skipping
Now we get the list of common stop words and punctuation.
import nltk
stop_words = list(set(nltk.corpus.stopwords.words('english')))
import string
punctuation = list(string.punctuation)
ignored = stop_words + punctuation
punctuation = list(string.punctuation)
dataFrame1['formatted_comments'] = dataFrame1['formatted_comments'].apply(lambda eachReview: [word for word in eachReview if word not in ignored])
dataFrame1['formatted_comments']
0 [charged, via, prior, appointment, whilst, vis...
1 [got, electric, car, pay, point]
2 [good, hard, find, next, tarte, berry, leeds, ...
3 [admin, location, type, restaurant, please]
4 [charger, bay, blocked, staff, vehicles, food]
...
3301 [worked, chad, didnt, feel, safe, im, 6ft, tal...
3302 [little, confusing, find, post, code, esp, nig...
3303 [good, charge, rate, close, 70kw, ccs, hyundai...
3304 [adding, second, photo]
3305 [ioniq, successfully, charged, 100kw, ccs, con...
Name: formatted_comments, Length: 3306, dtype: object
Then we convert List of lists to list of Strings and use list comprehension + join().
!pip install textblob
Requirement already satisfied: textblob in d:\anaconda\anacon\lib\site-packages (0.17.1) Requirement already satisfied: nltk>=3.1 in d:\anaconda\anacon\lib\site-packages (from textblob) (3.7) Requirement already satisfied: regex>=2021.8.3 in d:\anaconda\anacon\lib\site-packages (from nltk>=3.1->textblob) (2022.7.9) Requirement already satisfied: tqdm in d:\anaconda\anacon\lib\site-packages (from nltk>=3.1->textblob) (4.64.1) Requirement already satisfied: click in d:\anaconda\anacon\lib\site-packages (from nltk>=3.1->textblob) (7.1.2) Requirement already satisfied: joblib in d:\anaconda\anacon\lib\site-packages (from nltk>=3.1->textblob) (1.1.1) Requirement already satisfied: colorama in d:\anaconda\anacon\lib\site-packages (from tqdm->nltk>=3.1->textblob) (0.4.5) Could not fetch URL https://pypi.org/simple/pip/: There was a problem confirming the ssl certificate: HTTPSConnectionPool(host='pypi.org', port=443): Max retries exceeded with url: /simple/pip/ (Caused by SSLError(SSLEOFError(8, 'EOF occurred in violation of protocol (_ssl.c:1129)'))) - skipping
import textblob
dataFrame_list = dataFrame['formatted_comments'].tolist()
dataFrame_list1 = [' '.join(ele) for ele in dataFrame_list]
dataFrame1['formatted_comments1']=dataFrame_list1
dataFrame1['formatted_comments1'].head()
0 charged via prior appointment only whilst visi... 1 i have just got a electric car how do i pay at... 2 all good hard to find its next to tarte berry ... 3 admin location type restaurant please 4 charger bay blocked by staff vehicles when i h... Name: formatted_comments1, dtype: object
Plot the Wordcloud of Leeds EV Charge Stations Comments.
!pip install wordcloud
Requirement already satisfied: wordcloud in d:\anaconda\anacon\lib\site-packages (1.8.2.2) Requirement already satisfied: numpy>=1.6.1 in d:\anaconda\anacon\lib\site-packages (from wordcloud) (1.23.4) Requirement already satisfied: matplotlib in d:\anaconda\anacon\lib\site-packages (from wordcloud) (3.6.2) Requirement already satisfied: pillow in d:\anaconda\anacon\lib\site-packages (from wordcloud) (9.2.0) Requirement already satisfied: contourpy>=1.0.1 in d:\anaconda\anacon\lib\site-packages (from matplotlib->wordcloud) (1.0.5) Requirement already satisfied: packaging>=20.0 in d:\anaconda\anacon\lib\site-packages (from matplotlib->wordcloud) (21.3) Requirement already satisfied: kiwisolver>=1.0.1 in d:\anaconda\anacon\lib\site-packages (from matplotlib->wordcloud) (1.4.2) Requirement already satisfied: fonttools>=4.22.0 in d:\anaconda\anacon\lib\site-packages (from matplotlib->wordcloud) (4.25.0) Requirement already satisfied: cycler>=0.10 in d:\anaconda\anacon\lib\site-packages (from matplotlib->wordcloud) (0.11.0) Requirement already satisfied: pyparsing>=2.2.1 in d:\anaconda\anacon\lib\site-packages (from matplotlib->wordcloud) (3.0.9) Requirement already satisfied: python-dateutil>=2.7 in d:\anaconda\anacon\lib\site-packages (from matplotlib->wordcloud) (2.8.2) Requirement already satisfied: six>=1.5 in d:\anaconda\anacon\lib\site-packages (from python-dateutil>=2.7->matplotlib->wordcloud) (1.16.0) Could not fetch URL https://pypi.org/simple/pip/: There was a problem confirming the ssl certificate: HTTPSConnectionPool(host='pypi.org', port=443): Max retries exceeded with url: /simple/pip/ (Caused by SSLError(SSLEOFError(8, 'EOF occurred in violation of protocol (_ssl.c:1129)'))) - skipping
from wordcloud import WordCloud, STOPWORDS
allWords = ''.join([comments for comments in dataFrame1['formatted_comments1']])
wordCloud = WordCloud(width = 500,height = 400,background_color ='white',random_state =21,max_font_size =119).generate(allWords)
plt.imshow(wordCloud,interpolation = 'bilinear')
plt.axis('off')
plt.show()
In the word cloud, large keywords can be judged to have importance or meaning as words that are often mentioned in reviews. Leeds EV Charge Stations Comments Word Cloud analysis shows that including ‘charge’, ‘working’, ‘charging’, ‘app’, ‘charger’, and ‘car’ are more frequently mentioned. It can be determined that the analysis data as a whole has significant meaning.
Using the formatted text column, create a list of textblob.TextBlob() objects and then extract the subjectivity and polarity. Add two new columns to the review DataFrame: polarity and subjectivity.
def get_Polarity(comments):
return textblob.TextBlob(comments).sentiment.polarity
dataFrame1['Polarity'] = dataFrame1['formatted_comments1'].apply(get_Polarity)
def get_Subjectivity(comments):
return textblob.TextBlob(comments).sentiment.subjectivity
dataFrame1['Subjectivity'] = dataFrame1['formatted_comments1'].apply(get_Subjectivity)
Create a function to compute the negative, neutral and positive analysis.
def getAnalysis(score):
if score < 0:
return 'Negative'
elif score == 0:
return 'Neutral'
else:
return 'Positive'
dataFrame1['Analysis'] = dataFrame1['Polarity'].apply(getAnalysis)
#Show the dataframe
dataFrame1
| index | id | longitude | latitude | address | postcode | comments | status | formatted_comments | formatted_comments1 | Polarity | Subjectivity | Analysis | |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
| 0 | 0 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | Charged via prior appointment only whilst visi... | ['Unknown status'] | [charged, via, prior, appointment, whilst, vis... | charged via prior appointment only whilst visi... | 0.130000 | 0.333333 | Positive |
| 1 | 1 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | I have just got a electric car how do I pay at... | ['Unknown status'] | [got, electric, car, pay, point] | i have just got a electric car how do i pay at... | 0.000000 | 0.000000 | Neutral |
| 2 | 2 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | All good Hard to find its next to Tarte Berry... | ['Unknown status'] | [good, hard, find, next, tarte, berry, leeds, ... | all good hard to find its next to tarte berry ... | 0.077083 | 0.310417 | Positive |
| 3 | 3 | 2451 | -1.665348 | 53.803221 | 7 Richardshaw Lane Pudsey West Yorkshire | LS28 6BN | Admin location type restaurant please | ['Unknown status'] | [admin, location, type, restaurant, please] | admin location type restaurant please | 0.000000 | 0.000000 | Neutral |
| 4 | 4 | 2451 | -1.665348 | 53.803221 | 7 Richardshaw Lane Pudsey West Yorkshire | LS28 6BN | Charger bay blocked by staff vehicles when I h... | ['Unknown status'] | [charger, bay, blocked, staff, vehicles, food] | charger bay blocked by staff vehicles when i h... | 0.000000 | 0.000000 | Neutral |
| ... | ... | ... | ... | ... | ... | ... | ... | ... | ... | ... | ... | ... | ... |
| 3301 | 3321 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | Worked on Chad Didnt feel safe there and Im 6... | ['Available', 'Available', 'Available', 'Avail... | [worked, chad, didnt, feel, safe, im, 6ft, tal... | worked on chad didnt feel safe there and im 6f... | 0.316667 | 0.483333 | Positive |
| 3302 | 3322 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | A little confusing to find with post code esp ... | ['Available', 'Available', 'Available', 'Avail... | [little, confusing, find, post, code, esp, nig... | a little confusing to find with post code esp ... | 0.094857 | 0.358852 | Positive |
| 3303 | 3323 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | Good charge rate close to 70Kw on CCS with Hyu... | ['Available', 'Available', 'Available', 'Avail... | [good, charge, rate, close, 70kw, ccs, hyundai... | good charge rate close to 70kw on ccs with hyu... | 0.700000 | 0.600000 | Positive |
| 3304 | 3324 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | Adding second photo | ['Available', 'Available', 'Available', 'Avail... | [adding, second, photo] | adding second photo | 0.000000 | 0.000000 | Neutral |
| 3305 | 3325 | 19613 | -1.532585 | 53.805428 | Bristol Street Leeds West Yorkshire | LS7 1DH | Ioniq successfully charged on the 100kW CCS co... | ['Available', 'Available', 'Available', 'Avail... | [ioniq, successfully, charged, 100kw, ccs, con... | ioniq successfully charged on the 100kw ccs co... | -0.071825 | 0.651984 | Negative |
3306 rows × 13 columns
Plot the Word Cloud of Leeds EV Charging Stations positive comments.
text_p=''
for i in dataFrame1[dataFrame1['Analysis']=='Positive']['formatted_comments1']:
text_p+=str(i)
word_cloud_p=WordCloud(width=800,height=800,stopwords=set(STOPWORDS),background_color='white',min_font_size=10).generate(text_p)
plt.figure(figsize=(5,5))
plt.imshow(word_cloud_p)
plt.axis('on')
ax3 = plt.gca()
ax3.set_xticks([])
ax3.set_yticks([])
ax3.spines['bottom'].set_color('green')
ax3.spines['top'].set_color('green')
ax3.spines['right'].set_color('green')
ax3.spines['left'].set_color('green')
ax3.title.set_text('Positive')
a=plt.show()
Excluding 'charge', 'working', 'charging', 'app', 'charger', and 'car' are more frequently mentioned. The keywords we can also see are 'good', 'free' and 'fine'.
Plot the Word Cloud of Leeds EV Charging Stations negative comments.
text_nt=''
for i in dataFrame1[dataFrame1['Analysis']=='Negative']['formatted_comments1']:
text_nt+=str(i)
word_cloud_nt=WordCloud(width=800,height=800,stopwords=set(STOPWORDS),background_color='white',min_font_size=10).generate(text_nt)
plt.figure(figsize=(5,5))
plt.imshow(word_cloud_nt)
plt.axis('on')
ax2 = plt.gca()
ax2.set_xticks([])
ax2.set_yticks([])
ax2.spines['bottom'].set_color('red')
ax2.spines['top'].set_color('red')
ax2.spines['right'].set_color('red')
ax2.spines['left'].set_color('red')
ax2.title.set_text('Negative')
c=plt.show()
Excluding 'charge', 'working', 'charging', 'app', 'charger', and 'car' are more frequently mentioned. The keywords we can also see are 'unable', 'time' and 'slow'.
Plot the Word Cloud of Leeds EV Charging Stations netural comments.
text_n=''
for i in dataFrame1[dataFrame1['Analysis']=='Neutral']['formatted_comments1']:
text_n+=str(i)
word_cloud_n=WordCloud(width=800,height=800,stopwords=set(STOPWORDS),background_color='white',min_font_size=10).generate(text_n)
plt.figure(figsize=(5,5))
plt.imshow(word_cloud_n)
plt.axis('on')
ax1 = plt.gca()
ax1.set_xticks([])
ax1.set_yticks([])
ax1.spines['bottom'].set_color('grey')
ax1.spines['top'].set_color('grey')
ax1.spines['right'].set_color('grey')
ax1.spines['left'].set_color('grey')
ax1.title.set_text('Neutral')
b=plt.show()
Excluding 'charge', 'working', 'charging', 'app', 'charger', and 'car' are more frequently mentioned. The keywords we can also see are 'reported', 'still' and 'power'.
Now,we create the counter for the words in the comments and create a bar chart show words frequency.
import itertools
import collections
# Flatten list of words in clean tweets
all_words_nsw_nc = list(itertools.chain(*dataFrame1['formatted_comments']))
# Create counter of words in clean tweets
counts_nsw_nc = collections.Counter(all_words_nsw_nc)
counts_nsw_nc.most_common(15)
[('charge', 909),
('working', 495),
('charging', 438),
('app', 351),
('charger', 318),
('car', 306),
('use', 261),
('good', 249),
('fine', 203),
('still', 194),
('card', 194),
('free', 193),
('get', 190),
('chargers', 186),
('one', 175)]
Last, we create the Pandas Dataframe of the words and their counts and plot the top 15 most common words from the comments.
clean_tweets_no_urls = pd.DataFrame(counts_nsw_nc.most_common(15),
columns=['words', 'count'])
clean_tweets_no_urls.head()
| words | count | |
|---|---|---|
| 0 | charge | 909 |
| 1 | working | 495 |
| 2 | charging | 438 |
| 3 | app | 351 |
| 4 | charger | 318 |
fig, ax = plt.subplots(figsize=(6, 6))
# Plot horizontal bar graph
clean_tweets_no_urls.sort_values(by='count').plot.barh(x='words',
y='count',
ax=ax,
color="blue")
ax.set_title("Common Words Found in Comments (Including All Words)")
plt.show()
Of the 3,306 comments on Leeds EV charging stations, more than 800 mention the word 'charge' and more than 400 mention the words 'working' and 'charging'. The counts between 200-400 are 'app', 'charger', 'car', 'use' and 'good', and the counts below 200 are 'fine', 'card', 'still', 'free',' get', 'charges' and 'one'. Also, in the top fifteen word clouds, it is difficult to see negative words.
The main idea to perform sentiment analysis is to know how people feel when they using EV charge post, what they think about this situation and how they have expressed their emotions on the Zap-Map. Hence, one of the main ways to analyse the features is to test whether they fall in the category of positive, neutral or negative. This is called the polarity of the data. Textblob library is used to identify the polarity of the data by a simple representation.
Value — Polarity
1 — Extremely positive
0 — Neutral
-1 — Extremely Negative
1.Polarity – Positive
Example: Successful fast charge last night short wait free charge point.
2.Polarity – Neutral
Example: A bit pricey but efficient if you can find the bay Be helpful if chargers we signed from entrance.
3.Polarity – Negative
Example: There are 4 charge outlets on 2 posts but theyre ALWAYS iced I think its just box ticking for Aldis green credentials as thwy have no interest in making at least one bay marked as EV charging thus customers just park there without knowing or ignoring there are charge bays Ive stopped shopping there on principle.
People share a lot of information on the platform to express their views and emotions. Apart from knowing whether they convey which type of polarity, it is also necessary to understand whether the information is a known fact (objective) or just an opinion (subjective) of that person. This is termed as the subjectivity of the data. It helps to differentiate whether the data is a fact or opinion, thus finding that people are influenced by which type of thoughts. It provides a simple notation to represent the data through which it can be easily identified whether it is a fact or opinion . This representation is given below:
Value — Subjectivity
0 — Fact
1 — Option
1.Fact: A fact is a statement that is true and can be objectively verified or proven to be true.
2.Opinion: An opinion, is a statement that holds the dimension of belief, that tells how someone thinks. The belief is not necessarily true and cannot be proven.
In the above code, we have used the formatted text column, create a list of textblob.TextBlob() objects and then extract the subjectivity and polarity.Next, we add two new columns to the review DataFrame: polarity and subjectivity.
from textblob import TextBlob
def getSubjectivity(comments):
return TextBlob(comments).sentiment.subjectivity
def getPolarity(comments):
return TextBlob(comments).sentiment.polarity
def getSentimentTextBlob(polarity):
if polarity > 0:
return "Positive"
elif polarity == 0:
return "Neutral"
else:
return "Negative"
def get_tweet_sentiment(comments):
print(comments)
return comments
dataFrame1['formatted_comments']=dataFrame1['formatted_comments'].apply(lambda x: get_tweet_sentiment(' '.join(x)))
dataFrame1['Polarity']=dataFrame1['formatted_comments'].apply(getPolarity)
dataFrame1['Subjectivity']=dataFrame1['formatted_comments'].apply(getSubjectivity)
charged via prior appointment whilst visiting client site useful facility destination charging got electric car pay point good hard find next tarte berry leeds karate academy site cafe closed week though admin location type restaurant please charger bay blocked staff vehicles food successful charge successful coffee great place people another one thats opening hours checked bp pulse app failed first time worked second attempt id like assure temporary issue caused recent server migration looked see charging unit back online full working order marty device charges seconds stops dpd loves charge point blocked three chargers final one iced got 66kw cant see signage maximum stay carpark free bp pulse app socket 2 iced vauxhall mokka x informed driver space electric car charging said yep walked store totally arrogant respect electric car drivers bppulse successful charge unable start charge via app trying app immediately says theres error report twitter mentioning asda leeds city council bp pulse 4 iced ask theyd c move wouldnt minded kids family spaces use iced idiot range rover iced polo today 1pm 4 bays ice went aldi 2bays iced good right front store coned spot working cones presumably stop ice parking good working however 3 4 bays iceed working 4 charging points working well charge shop free service thanks asda nice easy working ok back available decent levels 100kw chargers cordoned due building roof slipping access chargers foreseeable despite still showing available around 115kw 2 cars 2 stations wait 20 mins slot chargered issue got 53kw max ended lot longer anticipated scum bag parked model 3 15mins make phone call charging people queueing turns ice drivers rate dropped today tesla ranger came back normal 45kw another car time slow charging says ill hour getting around 45kw max nobody using charger best kept secret used charger yesterday decent speed 7590kwh slow charge today trickling 52kw working fine 95kw peak rate easy location get m62 starbucks etc hotel 2 stalls though great charger corner car park pin tesla navigation accurate 130kw getting max charge speed working quick charge tesla vehicles work none tesla cars good hard find drive past reception turn left open working follow back car park find chargers good fine cars charging stalls running working chargers use open open checked today access site ccs chargers nearby station temporarily closed due covid19 charging point 1a successful charge morning ccs working points however tesla supercharger working 1 unit seems like cable issue working successful charge still 64kw max wont charge tesla model x red light car evs charge point 124kw slow charger also busy waited 40 mins charge hour half charge low charging speed first experience tesla superchargers everything fine got 18 90 time took us get sandwich drink charged fine yesterday 60kwh connectors working well wont unlock working yesterday getting 50kw across two bays getting maximum 31kw working great quiet tonight free teslas parked car park bar changed quite unpleasant loud chapel lager sport works treat iced x2 hotel staff less helpful even though highest could get 93 sides rang tesla raised ticket fine ccs cables skip lorry parked one bay loads free spaces elsewhere good tesla people chademo adapter two alfa power rapids nearby supercharger indeed get busy charging 64 kw another model charging time lucky get checking day busy nonstop slow supercharging 1b fixed 5918 1b working tesla confirmed repair ive tried 1b slow reported tesla reported connector issue b charger still fixed charge fluctuating really slow charger works fine 1b charger pulsing 626 kw reported 198 116kw really slow today feeling fast tonight 300mihr nice fast charge today 2 chargers place little hard find back hotel sometimes little slow peaks 60kwh matter charge level 100kw bays free charge nine tesla charger successful fast charge last night short wait free charge point price 055p per kwh overnight charge 10 plus parking charge good clean car park needs citicharge app charge works fine charged 50 8 hours pulling 3kw late night took 20 mins find right slot scan card start charge poor confusing layout instructions measurement way charged 3422kwh capacity vehicle drove 231kwh suspect got much 10 kwh thats turned expensive 860 charge 4 hours park costs1050 sadly extra 30 minutes four paid 13 upto6 hour rate user couldnt get system work register ticket joked worst case hed get charge electric sense may paid bill knows many vehicles charged car parks chargers available nearby give try ahead using last resort unit used turned unlucky number 7 units 5 6 giving user grief nice idea system really needs full overhaul charging 2kw quick get ticket machine booked parking online informed refunded minus charge costs exit process simple many chargers available although didnt monitor closely much doubt getting 7kwh claimed felt like 3 definitely lot slower home charger rate bit pricey efficient find bay helpful chargers signed entrance fantastic set really impressed disappointing today give 7kw machine claimed 77kw 4 hours added 10kw another used warned rapid locked cable hour previous user charged 2x 29 still refused connect turn plug present parking card machine near bay 1 walk away charge cost added parking ticket awesome successful charge successful charge clear instructions charging added parking charge apps anything required beside paying parking debit card done fantastic set charge points 13 posts plus two rapids three tesla bays comments said go entrance ramp floor one two zero lots lovely green lighting greets clear charging instructions made hooking breeze parked three hours charging parking cost 10 ish great facility fully charged return located floor 0 go floor enter car park overcharged states 25p kwh charged 260 approx 5kwh thanks pricing info weve updated point help ev users 25pkw working fine didnt seem get charged paying parking 13 machines working plus three tesla ones opposite card app required pay charging parking interesting device thanks information devices location updated type 2 sockets currently inoperable due electrical work done friday 22nd dec ok three tesla sockets fine also admin please update units 13 posts one socket seemed charge vw golf gte 50 capacity 3 hours queried management seemed charge vw golf gte 50 capacity queried management charge mitsubishi outlander phev charge mitsubishi outlander phev great location 239v 32amps successful charge 5 parking 3 charge 5hr charge today 750 tesla drive slowly top first ramp unless raise suspension scrape front floor anything crawling speed 250 plus 20p kw weekends 1 hour plus 20p kw charger appears longer free charge 25p kwhr morning podpoint didnt charge dont know good good good good looks ok charging could someone tell mean iced ive seen comments saying parking iced im bit confused turned first notified aldi staff turned power back got successful 30 minute charge 68 kw works b power also power turned sunday afternoon neither work working reported weeks red light flashing b working fine slow plug b still working plug b working plug ok use one 7kw dougcarl 3kw today 24 spaces charge starting car app reports immediate interruption two bays always iced aldi makes zero efforts stop shoppers quite frankly dont give spaces iced atleast charge good charge sorry state works bays marked lots icing chargers work allow plug believe car charged however definitely case someone please let know report ideal location successful charge reconnect every 20 mins still broken post iced charged 45 mins worked fine light white plugged initiated charge power completely dead charging points work doug works doug works used evening bay one rapids iced got bay 2 iced seems ok charge post bit wobley charging 15 minutes podpoint next iced twice doug still defective quick top whilst shopping update briaroxy 3kw posts output 3kw b works still defective doug carl side ok works bad bays iced happens lot two ev charging spots iced last week iced juice b works dougcarl pg80163 b briaroxy pg80160 ab 3kw 7kw stated post nearest store works well doug still poorly tweeted pod point sides briaroxy work fine side dougcarl poorly three sockets fine side doug carl still poorly three work fine remember confirm app correction pp rfid looking android pp oc charge points network pp rfid admin please change network podpoint open charge click arrow zap map transfer coordinates google maps safari whatever phone uses direct straight thanks letting us know charge point moved accurate position possibility postcode given wrong make investigations relying site charge today following sat nav postcode could see building site aldi car park charge points site decommissioned charged 3 kwh charger successfully 7 kwh chargers iced markings electric charging spaces charge 1 hour around 20 env200 iced driver see ev dont even care park anyway works fine 12th feb app required free charge lots problems ice cars blocking bays aldi always found one four bays free devices actually 3kw regardless labeling successfully charges zoe r240 33kw per canze 4 sockets 2 posts 2 sockets per post first post meant charge 7kw sure letting pull 33kw currently charging bria roxy one previously dead dougcarl listed podpoint app someone confirm definite 7kw device briaroxy removed dougcarl upgraded 7kw thanks admin wonder would like note pod point numbers unit 7kw one thats dead briaroxy pg80160 3kw one works dougcarl pg80163 also ive reported fault aldi management podpoint today hi james thanks reporting apologies missing earlier message corrected please admin correct posts one left two blue sockets presently order one right two yellow ones presently working pod point app active yet plug free left hand post two 7kw type 2 totally dead right hand post two 3kw type 2 works plugging app needed neither post smart card reader eventually enabled app already said dont appear pod point android app yet type pump one spike please chargemaster free use sorry im new ev right hand post working left post showing signs life arent showing app cant use took look four bays iced apparently chargers hsbc office staff card need activate doesnt work looks past comments way long time seems connection error charger order plug b seems problem works ok free coffee wifi friendly staff nice place spend 30 mins ok plug needs wiggle click lock place welcoming people great coffee works fine make sure waggle plug make sure locked free coffee drinks inside ok 10 min chademo charge earlier closes 4pm sunday works fine hadnt attached plug properly staff showed make sure connects properly couldnt start charge ask staff dealership charging fine sometimes need wiggle plug get lock rapid poorly plenty rapids nearby charger currently awaiting engineer fix apparently might take two days fix nothing till wednesday 6th march wait hour chase people get update good service left vehicle go shopping helpful staff charged yesterday mentioned road northern snooker centre needed move later day came check got car close nice charge chademo thank nissan leeds chademo ok free coffee well charging problems charging fine successful charge chad fine order lovely dealership coffee cookies tempted swap leaf gtr oh chademo works needs inserted firmly new leaf taking 107 amps friendly staff three thing quite happily good today ensure yellow pin goes else error rapid fine need ensure chademo head inserted yellow button comes remembered button turn rapid sadly rapid action card error spoke nissan apologise best help put 7k car 3kw board working today initially errored worked second attempt charge unavailable card error displayed screen reported dealer already aware trying get fixed 7kw charger working though charged times without problems found gate coming pulled evening weekdays open 1930 turns closes 1730 saturday apparently 1600 sunday bays clear arrived got charged fine nice friendly staff charged yesterday fine little difficulty getting charger going push connector hard think connector getting worn free coffee fantastic service normal fantastic service usual free coffee problem staff invited coffee fine chademo ring first leafs env200s charge best call ahead let know youre leaf owner trouble free charge yesterday afternoon hi james location updated please change name benfield motors lookers nissan leeds add chademo rapid rapid working tesla charger need citi charge app registering worked fine 75kw longer tesla chargers require citicharge app longer free located ground level successful charge 291022 bays narrow working achieved 36 kw tesla units wouldnt release cable phoned number charger reset release cable slow 25kw average charge 35ppkw full arrived went back 15 minutes later one freeing 2 cars time visit tesla citicharge need app loaded prepayment ultimately cost planned got us bind good charge issues second charger action 2 working tesla chargers though owned citicharge work tesla pulled 1kw 5 minutes cut also expensive requires download blist app would recommend tesla specific 3x untethered 7kw bays kwh currently needs citicharge app activate scanning qr code easy none working successful charge slow left car day staying hotel hit 30 charge despite receipt saying 8 information anywhere explain 30 charge tessla use city charge app slow ok destination charge tried charge yesterday downloaded app unable add payment method time poor service slow 3kw slow 3mph changed citicharge units needs app worst ive used charging ohso slow longer tesla charges replaced 3 citicharge branded evbox chargers charging confirmed citicharge app charged 025 per kwh faulty activated sign say use charge freely doesnt release charging cable use fuse switch stairwell release slow free right hand charger furthest wall coned last time visited noticed someone moved cone plugged today worked perfectly ive edited sign reflect works tesla vehicles working connector citipark explained working provide chargers agree emailed citipark response seems power seemed power leds remained red car reported power connector service today two occupied hours unable charge need far chargers busy car park three ridiculous central charger works well works cars middle connection slow charge ok left hand bay wouldnt charge model 3 tried reset switch didnt help bays use get early bag popular nontesla bay youd call fast charge welcome one nonetheless first tesla hook successful charge works great desperately need though car park size 1000 spaces successful tesla m3 charge right hand bay 18 mihr overnight ask car charged please outlander phev type 2 type 1 adapter doesnt seem work sure charger compatible car ask car charged please outlander phev type 2 type 1 adapter doesnt seem work sure charger compatible car ask car charged please outlander phev type 2 type 1 adapter doesnt seem work sure charger compatible car successful charge 20a left hand tesla connector right hand tesla connector working model3 left hand one ok charged middle bay yesterday morning unless im missing something three chargers type 2 usable ev teslas arrived 7am find bays empty straight non tesla spit charging well theres sign asking move another spot full good see looked like working today tesla charging next hi got questions nontesla charger 1 working 2 type 2 charger 3 free charge cost 4 isnt free much cost charge 35 hours taking delivery first hybrid car volvo s90 t8 friday july 19 sent discounted nhs parking card car park fiver day discount card bargain updates gratefully received thanks nontesla middle nontesla connection working parking rates parked golf gte middle bay presumably device 2 monday 27th bay marked electric vehicles tesla vehicles devices 1 3 unplugging successful charge vehicle still thought plug connected wouldnt start nothing fixed situation aa recover vehicle vw garage remains provide updates charges approx 13 mihr 3 chargers ground floor tesla destination chargers middle one available free public use trouble lead socket type 2 plug 241v 20amps 13mph bays narrow three teslas additional info two three chargers working one red flashing light two worked great good charge 7kw output arrived 9am car didnt seem overly tight space wise need go level level follow signs citycharge dedicated charging area chargers located rather dotted around carpark successful charge 2 tesla charging arrivedvery tight use summons get car good reliable charger probs 120821 wouldnt charge others working fine successful charge tesla 90d well organised saturday afternoon pretty quiet successful charge bay 8 tesla currently charging middle one three two blocked golf gte nontesla sockets currently order due work done see zap map entry level 0 car park floor 0 save searching like good charge 7kw overnight parking rather tight though lots charging bays must 20 successful charge 20p per kwh electric cars parked plugged surprisingly could use bp pulse charge engie one carpark bppulse successful charge wouldnt authorise bp pulse rfid working fine reported broken led light right unit isnt bp pulse engie set yet another account pain charged ok end decent splash n dash excellent good nicely placed charger lefthand side car park next childparent bays working good used wednesday night good good always pizza slice cafe indoors good well one post 2 x 7kw sockets post labelled chargemaster worked fine tonight used chargemaster card start stop charge charged full 7kw rate successful charge lots space went however told didnt card use middleton one fine plugged socket 1 unit takes either chargemaster cards polar instant app working fine bays clear icers charged today used app issues working fine charge bays well painted signed behind barrier stated staff official visitors western lecture theatre liberty building currently blocked construction university currently blocked construction university wife works lgi would able park charge whilst work would need uni permit chargepoint fixed reported estates engineer booked repair unit black bag top cannot get work despite several attempts tried app tried registering card tried waving credit card front useless app cars successfully charged today wrong connecters iced uni estates nv200 egolf plugged fastest 7kw ive ever experienced 2 hours 30 full 52kwh zo ze50 maybe like 22kwh either way would recommend maybe first time using cyc couldnt get start charging connector manage make b start stopped 2 minutes later sides working fine im leaving imagine leeds uni points demand due today freshers arrival todays parking code 100341 socket delivering power suspect last visit confirmed phone cm shortly sides charging fine charging fine present im leaving shortly charging fine easy top socket b locks place etc connection b clicks constantly cable connected reported cyc hoardings moved make charger visible inside barrier staff official visitors please park car front charger dont intend charge really frustrating started charging seems free dont need access card membership app plug downloaded app doesnt seem work got car charge third point tried plugging points wouldnt work even using app waving credit card front cannot get one edge gym work cars managed successful charges idea im wrong helpful suggestions bit confusing start got working end successful charge 1 connection fee mentioned description correct doesnt charge reported cyc 14 x 7kw charges location free charge car sides 70233 working side 70212 working fine seven vacant public parking weekends porsche cayenne blocking 70234 worked fine going office hours ev bays get full ev owners think okay park actually charge car today shush four posts green lights currently power reported charge car university four appear working fine 2nd floor multistorey back everyone must visit pay display machine even code chargers available paying public office hours appear working fine charger b giving 7kw expected still oou connector work still fixed reporting pod point times appearing app wonder theyre finally process fixing socket 3 months socket still goosed socket reported month ago still fixed socket b occupied vehicle nearly 3 hours annoying theres ever one working never available charging socket b fine socket reported pod point awaiting site approval attend fix socket working socket working problem free splendid well done podpoint performing well usual charged little hour whilst little shopping port works 1130am confirm charge app still stated available app still delivering charge shopping problem log onto podpoint app 69 70 kw connected fine issues working well service couldnt get past ongoing checks working fine right connects didnt start charge usually problems reported podpoint next bay iced left plenty room elsewhere working fine 3hr maximum stay car park enforced anpr connected charge point b working okay zoe point seems okay well one connector working jeri side broken dave side charging fine jeri working dave charged fine iced taxi working fine nice chevy trac ice available space charging successful charge free use problems confirming charge today used pod b pod said confirmed charge stopped 15 minutes pod b said couldnt confirm charge carried 12 hour got bored unplugged shops nearby close 8pm unable charge port port b ok since september last year confirm charge every 5 sessions average car stops charging around 20 minutes charging status doesnt change available plugged either b port whilst application gives charge confirmed message doesnt actually confirm fine claim charge didnt seem work got hours charge regardless got 30 mins connector despite website app claiming charge properly used left post today came back find post turned blue appearing ok app said claimed obviously post didnt get message keep eye plug necessary left bay iced today successfully charging dave iceberg see spaces something length blue lights flashing red followed steps charging connectors red lights although app says charging fine b iced successful charge easier use cyc successful charge one space iced good charger communicating server properly first time charging next 2 hours white leaf thats always charging b iced white lead parks daily plugs day thereby blocking one connector users dont mind charging arent moving finished charge still confirming app however status doesnt change problem though still charging beyond 15 mins podpoint app didnt change status charging confirmed continued charge ok 15 minute point toyota ice appropriate name successful charge charging nicely free charge timely 7kw b connection keeps cutting fine theres charge sign wall charge point successful charge although point showing red reported pod point admin please update network pod point open charge charger located behind jd sports bays unmarked signage states podpoont app thats rapid chargers gone 50p kwh doesnt tell zap ap anywhere else didnt work said enough power another vehicle charging vehicles says use someone kindly left floor sopping wet says use pod dont use one thought id share failed charge may website problem sure connector damaged unable use last snail id3 needed fast charge way london local tesco morrisons fast charge failed reported need ban company seems dpd use fast charge ones even tesco roundhay road annoying dpd van connected fully charged 2 hours company abusing network often needs addressed chademo connector damaged reported pod point last time happened took six months fix feel free report time go first charge 55 mins definitely working 50kwh speed like 35kwh 11kwh delivered 22min working suppose thats something working well unlike ccs connector unit couldnt get charge connector despite trying 3 times swapped 43kw thing happened 50kwh stanningley charge already claimed though isnt holds lead hostage 11kph someone left emergency stop pressed showing availablereset well unable disconnect call help center eventually advised pressing emergency stop button job ccs used got happy 43kwh problems connecting app finally nine months nagging engineer replaced chademo car charge working good charge pod point reliable always charged earlier today worked fine 3 chargers seem working tested ccs still reports internal error working today still showing operational though still reporting internal error attempts start says internal error reported second time pod point topped etron 50 4 per 10 minutes issues podpoint app right car park entrance easy use worked perfectly worked ok bit slow though car park lidl toilets coffee doesnt work keeps saying connection error car still turned good location well marked easy use first time using public point type 2 connector little damage works fine lidl rapids 23pkw pre paid app ccs unavailable t2 providing 12kw otherwise good still working perfectly iced inconsiderate ev charge issues iced good round time charge worked 5th attempt guy chademo seemed issues ac worked ok ccs kept connector issues wouldnt charge ok charging 100 rapid charger popular location unpopular thing unless prepared sit car wait final 25 minutes takes long time go 80 100 could let someone needs power take place youre new ev charging particularly rapid charging please take message advice rant rapid charging 80 maybe even 85is good practice rapid charging 100 bad practice fine 19919 working fine appears ok ac dc charging together dc working arrived stop error message screen twisted red reset instructed able charge hoped chademo charge 100 charging stopped 86 possibly heat factor otherwise fine seems working fine thank lidl failed initiate charging performed emergency reset change contacted pod point halfords available road kw may want hear cars sitting rapid chargers theyre way past 80 charged nuisance takes ever get fully charged im referring specifically mention fully charged however aggressive assholes banned life basically starting cutting ccs i3 cvs connector issues unable connect car done charge stop early large man aggressive making finish fully charged sad man charger still operate rapid still free shoppers work great ive spotted happening used charger complain podpoint may get banned ok fine ccs theres bmw phev plugged ac 43kw rapid 50 minutes drawn 29kwh energy sign owner doubt anyone spends long lidl presumably hes gone somewhere people hog rapid vehicle clearly incapable rapid charging someone pressed emergency stop twisted pulled button waited 30 seconds ok quick chademo charge great free rapid charger 43kw waiting lidl open ok ok ok seems ok leaf using 50kw feed could use ac feed whilst quick shop shame i3 use 11kw 43kw offer bad set good modernise 7kw units cyc isnt good unless rfid card happened 2 year old cyc rfid card worked presume bp pulse bought cyc bill bp credit anyway worked lovely bus trip leeds theatre food came back fully charged car impressive facility well done leeds team spent age downloading app accept payment card realised could get work bp pulse card horrendously slow charge frustrating experience app would let scroll far enough register payment card issue date 2021 let look 2019 absolute garbage dont waste time half power find one power app tells isnt available still worthless junk app never lets register payment card im spending money proprietary rfid card privilege using things ill take money elsewhere refused connect app tried use facility twice always waste time nightmare initiate charge chargeyourcar bought bp pulse cyc app doesnt work add card cant use bp pulse app spent 40 mins phone bp eventually managed initiate charge ordered rfid card 20 see makes work without go bp call centre every time getting charge eventually lots chargers powered units accepting app one eventually accepted cyc card phew cant use app cant use website avoid reported working using polar plus card works fine app working add card payment saying plug use though saw cars changing successfully though avoid avoid avoid avoid avoid avoid avoid site avoid avoid systems avoid chargers available due covid testing charges use due site used covid testing area equipment directly front charges theyre even available use nurses park ride currently used covid nhs testing site charging points use great first charge constant loop saying insert charging cable remove charging cable difficult seat actual connector wasnt able charge chargers the80081 post arent working app cant connect used 80082 instead successful charge charger working successful charge 80081 bay 1 iced need use charger future maybe realise charging 8083 type 2 issue 8081 bmw i3 initiated via phone cyc app wouldnt work helpful helpline chargers located near bust stop park ride inevitable iceing unforgivably another i3 parked nose charging successful charge charger back online zap sockets good sorry didnt regard language particularly strong certainly strong language get people politely point spaces evs lol hi frumtarn hear fustration please keep language moderate ev community needs win hearts well minds ice owners ice gits confusing markings ice cars blocking chargers penalised least pretend theres fine discourage inconsiderate fossil owners two poorly sockets remain poorly 80079 side says error rcd side 80085 still available park ride opening hours til 9 mf 6 sat closed sun website exist instructions obvious app couldnt charge hmm must stupid signage incorrect franklin ev doesnt seem exist successful charge via lifeev app 11kw though rather 22kw stated charger level 2 level drive cable needed walk edge car park get mobile signal must use life ev app wont get anywhere near 22kw pulling 11 another vehicle plugged delivered 69kwh 3 hours tight space get big vehicle due bays behind otherwise quick easy set app dont follow instructions sign franklin energy need life ev charging app use need use app start session unfortunately phone signal car park couldnt connect kick charge poor planning left car charge two hours 15 miles good location problems charging ipace would start charging moved connection charging ok 7kw car park charger remain open covid19 network friends franklin energy accessed via roaming agreement using app fob app fob left hand side watch aerial reverse successful charge great app works well good location well marked app worked ok max 4 hours per charge get life ev app arrive 4g signal great user report great location fast 22kw charger beware plugged single charge c zero 16 kw battery nowhere near depleted invoiced 14 provider website absolute nightmare use well conveniently located level 2 first parking level slope ramp collect entry ticket left look left available unable pay using evolt bp pulse order dark couldnt see chargers decided move somewhere better lit u get work use rfid app plug b working fine finally working app broken unable register payment details server hopeless almost half 7kw chargers working rapid charger wasnt working either phoned bp explained luck either wouldnt connect server rapid charger without notice started charging bp pulse charging rate bp pulse members found took money bank account end month refused refund canceled subscription due chance charge points without notice info website app cant connect cant connect type 2 charging perfectly fine bp pulse card failed authenticate phoned bp said havent chance send engineer yet four months ago working failed recognise cyc bp pulse rfid card spent 30 mins phone bt couldnt get work avoid unable accept card due connectivity able register details register card ok unable connect payment charge connector ccs use tag unable validate user error message hooray working 17 80 issue free use tap old polar plus card behind ice arena doesnt work authenticate fails still working called bp havent chance send engineer look yet four weeks reported bp pulse server could authenticate rfid card apologised previous reports even though one three weeks ago wouldnt connect server start charge order sign connectors today unable connect validation server couldnt reset couldnt remote connnect ccs still order others cannot validate user support cannot start due communication charger operation chademo socket covered faulty wont anything zapmap says fast bp plus charger charger says charge car 7kw app pretty useless difficult navigate luckily enough juice get home abandoned still faulty 181121 still got use tag lights nobody home appears charge works type ac 43 rapid faulty petrol station fuel pumps left broken weeks red lights 40 minutes phone could reset faulty red lights 40 minutes phone unit faulty unable reset worst experience trying charge far two 7kw chargers available 8 one used tried connect cable flap locked phoned help desk tried remotely unlock without success tried 50kw charger download app would accept start date card 2021 gave avoid location get issues sorted charge car taken pulse pulse dont point listed cant start charge point couldnt get app work scanned debit card one registered membership 22kw 32 mins 32 92 soc nice metro bus station nearby dry warm clean loos thank leeds city council needed resetting charged ok hi charge also adding works debit credit card rfid idea charge though impenetrable app doesnt work properly whole device seems locked scream easy peasy none charging points working called cyc help new ev user bit stuck cyc app doesnt work rang said bp pulse theyve taken longer 1 connection fee bp fees correct also tap contactless card thank yup good charging app allowing new users sign use charging points returned 3 times week able charge seems company wide problem chargeyourcar sunday car park appeared closed adjoining car park open still able access chargers rfidd random card open plug free vend thereafter connection charge car park main units located closed reason barrier rubble piled exit units theyre disabled bays charge card app allowing register card called help unable start charge remotely due issue unit usual cyc faff worked 2nd attempt polar nfid card usual cycapp faff get working got charging second go luck ccs rapid got red lights many travellers living blocked covid vaccinations wonder theyve shut filling stations covid ok broken glass place gypsys staff park ride interested clearing stations broken rapid order plus car park full travellers opened car park use covid vaccination centre means access rapid charger showing bp pulse network old polar map shows rfid card start reported cyc theyve replied saying switched council advised switch back yet forwarded cycs reply metro link 70205 car park side amenity building signed disabled ev event power available chargers presently lane charges main car parts includes rapid barriered inaccessible charge point open part park ride dead signs life see ones locked half lit ready use unable access used slow charge one working plead open barrier site longer accessible aparantly going used covid test site number 2 broken cable broken barrier locked crew bus station open dont try use intercom doesnt work theyll put barrier back another barrier along also opens allow sorry dumb chademo connector hung side front holder thats taped chademo wouldnt connect app useless car park closed access chargers blocked car park closed access chargers blocked car park closed access chargers blocked car park closed access blocked elland road car park closed access chargers blocked whole car park closed blocked chargers inaccessible patients staffbusiness visitors public use could get app work could get charge work ev bays iced luckily theres space round back park near charger great thanks info updated point found 70214 location devonshire hall uol halls residence cumberland road ls6 2eq coordinates 53818256 1565638 please marked residents visitors works fine polar card cyc app correctly updates side use checked sides nerd cant locate point 70214 looked side henry price residences also adjacent institute transport studies barriers overnight dealership hours bppulse ready charge friend plugged charge last night morning non chargers working start battery completely drained parking charges 32a working nicely placed half iced paid hotel car park polar charging tariff reasonable nice able juice leave 100 good see hotels bays available three four bays iced costs 15 approximately 24 hours works well two four presently iced 4 chargers iced socket broken hey crowne plaza whats point putting charging points let ice vehicles use electric vehicle marooned asked reception told manager doesnt think members public use arent many chargers use would take registration number dont get fine either way theres barriers 7kw type 2 socket regular parking 150 hour handy place top visit dentist cheers conrad successful charge zappay chademo still broken getting enough get home type 2 unable start session using geniepoint app zappay working working working failed charge even calling support chademo started stopped used t2 instead faulty still reported geniepoint another charger working uk ev charging network useless chademo working bad chaedemo showing faulty ccs working ccs chaedemo faulted sounds like cooling fans arent working somewhere successfully used yesterday 1830 ish unsuccessful attempt charles street farsley around corner lidl charging point busy register havent used geniepoint really easy worked straight away issues working fine havent working long time hasnt working long happy fine today didnt work works fine issues faulty powered garage supposedly reported days ago certainly know 1 bay iced today yep one back running problems please call us 0203 598 4087 seems work fine soon update let know chademo works half hour went 4 44 instead expected 7080 marked faulty notified helpline someone could visit ccs car would useful first rapid charge today thurs since tuesday bit odd business decision install charger connection fee unappealing 30pkw free podpoint charger within 100 metres charger successful charges problems call us 0203 598 4087 leeds one use assure actually working really incentive visit pay test apologies delay replying raise issues get back update bit pointless agree parking bays seemed overflow fir pub across road use free podpoint charger lidl next door chance putting one cheaper tariff given theres free podpoint rapid literally next door another nice new one let us know power still working almost year working moment unit disconnected faulty reported geniepoint needed top journey back home usually call ripon morrisons shell a168 becomes a19 however discovered charge pulling 25 bit cold battery cold sat day drove 5 mins successful charge via app couldnt verify credit card successful charges today twice couldnt connect three attempts fault good connects wont start charging worked nice charged 30kwh leaf 20100 40 minutes couple attempts get started chared 43kw 5 minutes walk leeds armouries 26th cafe toilets interesting place seen recent successful charges connectors however charger experiencing difficulties please call 24 hour helpline 0203 598 4087 may something remotely assist thank geniepoint team power unit worked fine although charging slowed 22kw 30 minutes charging charger nearest work rely quick charge home unfortunately unreliable charger never working seemed connect disconnected almost immediately issue trick connect car start charge app wait charging screen appear connect car start problem accidentally double click unlock remote disconnect restart happens start waste pound reconnecting couldnt connect called support concluded charger disconnected network couldnt help good ac 22kw socket connecting called support could restarted charged using website account easy setup pay go topup units 10 seems bit greedy charging connection fee bit greedy needs must conveniently located youre visiting another city like us worked fine bit pricey fast charge easy access works chad soon update let know chad still poorly despite engineer visit helpline informed problems last week engineer visited charger yesterday confirmed hadnt set properly unable tell difference rapid fast charging billing purposes advised sorted wonder someone could test chademo see absolute crap dc chademo initialising customer service crap jet petrie station came tell using phone near lpg tanks avoid confirm chad still inop chademo still working dc side still appears broken couldnt start chademo charge couple attempts started reporting chademo ccs unavailable trying start charge unit comms interact app ok actype2 works fine took 02kwh got mail saying bill 0 reported technical post update info chad work touched card started whirring heard lock unlock reported helpline doesnt work comms app errors cant register card good charge 106mph prices gone 50pkwh successful 49mihr 50pkwh easy use pod point app back running couldnt connect charger app type 2 working ccs working price gone 40p per kwh last day 2 wont connect isolation error app said charging wasnt wouldnt stop charging use slower connection back running worked fine today couldnt get ac charger zoe trouble previously probably year ago mind goodspot internal error successful charge say isolator error tried worked fine ccs busy still working doesnt come app ive got issue still working month ive reported today anyone know charger disappeared pod point app working contacted pod point services reply yet service error message connector rattles isnt good chademo connector broken reported podpoint ac ccs seemed working unit free vend tried yesterday today lets claim charge app wont begin charging another car plugged ccs charging fine think connector issue chademo connector damaged latch place reported pod point chademo working good 50kw charge try charge says charge already claimed nothing happens doesnt charge unable charge last days says internal error successful charge fast free though comments 026 per kwh working ok free vend successful charge app needed plug go free good worked fine free vend yes app isnt connecting plugin ok app would connect couldnt initiate charge app pod point website reported pod point tried reset remotely failed able activate charge pod point app reported pod point successful charge problem usual nofuss connection charge reported service reported service used yesterday afternoon issues first time using podpoint managed get charge disconnect try second time managed get 12kw charged 19 mins 296 025 per kwh problem 023 per kwh isolation fault 1 bakery easy find need pod app use free paid charge 40kw ccs pastel de nata lidl visit see bakery section ok successful charge chademo used 3 times great location bit shopping works nothing like advertised speed us anyway today running around 12kwh calculations good charge type 2 app seemed think chademo charged first time couple hours charges excuse pun came easy use free use suddenly warning charge disappointed thanks lidl got us home manchester gig leeds fantastic working good charge chademo dont know others nothing suggest dont work working ok dont work expensive 250 per hour slow charge work 36kw tried mg zs ev wont charge fee though get work working 36kv worked perfect expensive used emergency go evchargeonline put uk number see machine neither charge points appeared work properly charged 250 using one ended less charge started place 247 duplicated entry please delete picture user picture user post tested fully operational point 100 dead power lights still dead dead bp pulse said theyre waiting aldi pay bill dead power unit dead power call get unit restarted release cable multiple occasions rfid broken activate using app rejects rfid app never accosted charger good 22kwh post good working good leave site whilst charging site monitored driver observed leaving site whilst charging receive fine remain site policy rigorously enforced frequent parkingukcpc guy visiting check people leaving site watch good good 22k chargers point billed perkwh seen parking penalty invoice allegedly overstaying working fine working great 3phase 22kw working fine didnt test unit looks ok car park still 90min max stay signs im sure cameras still present cant see possibly enforcement since poundworld whose carpark went bust blue lights back period switched didnt plug units nearly new working longer gates locked access chargers thanks info esme charge point updated numbered incorrectly zapmap left hand charger 90 91 89 90 around back building admin please amend ukev0287 post 0288 0289 post 0290 0291 another post three posts five sockets max 42kw working averaging 42kw working averaging 42kw working averaging 40kw units bagged chargers vandalised cables cut need charge electric vehicle use instavolt mobile application really simple use would recommend use enter referral code dxkdm signup receive 5 account credit first charge click herea hrefhttpsdriveremspinstavoltcoukreferraldxkdm titlehttpsdriveremspinstavoltcoukreferraldxkdm targetblankhttpsdriveremspinstavoltcoukreferraldxkdma install app signup today left hand charger fine right one service currently good price gone 84p think 50kw charging rate issues charging 50kw issues working great 57p working good location charging maxed 25kw charged 15 pound 20 percent machine said 5 pound rip working perfectly charger working averaging 425kw charging point working averaging 425 kw good easy charge easy pay everything want charge point good someone also happily charging device 1 need charge electric vehicle use instavolt mobile application really simple use would recommend use enter referral code 6ja8x signup receive 5 account credit first charge click herea hrefhttpsdriveremspinstavoltcoukreferral6ja8x titlehttpsdriveremspinstavoltcoukreferral6ja8x targetblankhttpsdriveremspinstavoltcoukreferral6ja8xa install app signup today good chargepoint card units use parked bay next 95 full car waited finish helped released cable working well getting 34kw fine call helpline available unit wouldnt read rfid card customer services answered really quickly rebooted device good great service thank instavolt 040pkw fast charge happy fast charge working exactly well done instavolt works great neither charger use arrived card reader broken call charger reset could charge wokred earlier evening need charge electric vehicle use instavolt mobile application really simple use would recommend use enter referral code tco83 signup receive 5 account credit first charge need charge electric vehicle use instavolt mobile application really simple use would recommend use enter referral code tco83 signup receive 5 account credit first charge never used impressed reliable sign referral code towad get 5 credit account seem reliable card allen found car park handed halfords service centre card reader would work instavolt rfid card used debit card instead dramas charging 46kw alongside tesla m3 charging unit next door nice quick charge max 35 kw nice quick charge charge 35 kw max using app use code 5 free credit f6ljt assume rhside number2 thats used issues use chargepoint rfid card looks like side working rolling text window took two different cards several attempts could connect problem another instavolt issues one broken arrived 1 mile range phew cable slightly short able charge space left empty otherwise ok used etron charge card got burger king whilst waiting bit hit miss getting working fails every day time plug car first tap card wait 5 pre payment go connect car press start issues ccs contactless convenient love contactless app free charging didnt accept contactless cards helpline answered immediately gave us free rapid charge charged problem fault 22 whatever means theres second device though working didnt call instavolt device 1 didnt connect may user error part probs device 2 42kw easy payment system tesla m3 sr good good working fine requesting 5 pre authorisation charges ok problems fine good chargers emergency stop buttons pressed took 5 minutes chargers reboot ok great easy use great easy use seems emergency stop pressed rebooted instavolt operator confirmed ok end ok ok school staff point behjnd barrier school staff official business visitors parents ad hoc visitors park separate car park school reception 0113 229 1552 able charge successfully socket tried socket b initially didnt work doesnt work port working b port took hour 4 kw charged yesterday every bay iced port b dawnjudy adjacent space parked broken still charged slowly despite mine ev actually charging charged podpoint use charging 22kw charges 40pkwh charging 22kwh still free slow charge charging 10amps sign saying charging tarring apply still showing free podpoint app couldnt charge car message saying already use lights b side chargepoint longer free charging 241022 working side b still working side b working sick pod point going back petrol car next time side working dawnjudy issues easy free slow ok side b working successful charge location points 1 side work work speeds 3767kw reported pod point started charging able claim charge successfully charger stopped 91 minutes flashed red idea working power working starting think never work socket b appeared working app accepted charging confirmation charging terminated soon pod point advised working pretty poor power units site charger working finally actually worked used b side side appear charge flashing red light side charger charging b side reported podpoint charger seems working points offline power units working 2 showing available charge connecting b working unable charge charge station powered 2 charge points working currently charger working 10a chargers working im getting 10a charge work looks like order flashes chargers still appeared functional pod point app light wont go green confirming chargers still working power power still power doesnt connect id3 none working none chargers working chargers power chargers power zoe reports ac charge impossible reported one works past 15mins successfully charging connects disconnects unsuccessful charge cant start charge says already claimed says charge already claimed spent 10 mins couldnt get work port b still working reported 2kw charge might aswell bother side let claim charge disconnects 15 minutes socket b failed charge confirmed app charge speed remained 0 still working flashes red green never starts charging despite app confirming door charging usual communication problem head office reported pod point door b charging pod point told hadnt communicated remote reset unsuccessful charged 6kwh 2 hours successful charge socket friday monday socket b failed deliver charge despite giving charging confirmation via app neither side charging failed equipment reported charger doesnt work 7kw slow free still working car reports charging error posts working charging full 7kwh chargers use b charging still action charge good gold charging b point b didnt charge indications showed charging came back near empty battery issue stops 15 wont let claim unable claim charge says already claimed stopped 15 minutes sameeven confirmed charge app today thing happened today plugged began charge fine confirmed charge app fine charger stopped charging 15 mins clearly app isnt connecting ground charger confirm continue charge connector issue couldnt confirm charge already claimed reported podpoint josh abby point connected slow still free charge car point b charging successfully charging stop car charge point fully charged probably glitch issue reported podpoint reset update firmware joshabby charging albeit painful 2kw judy failed charge looked working including confirming charge app joshabby b charging 2kwh today chargers use charge nicely 22kw lovely spot wait also charging 97kwh 22kwh would connect didnt charge wouldnt authorise shell card almost alfa meant part shell network screen device plugged swiped rfid card light went green blue car began charging 72kw close max car needed bit top way home lovely spot summer saw bats flying catching insects way back collect car charge nice fast 22 kw way charge point wouldnt charge zoe alfa power app reported charge failed car said checking connection something effect tried times avail fortunately charge point b seems working fine ongoing charge 22kw time writing thank coming hope enjoyed walk decided base new years day walk charging point locations great walk adel woods whilst charging one space currently blocked cricket pitch covers bit determination could probably still access points charged car quickly easy use went lovely walk around cricket grounds car charging charged car quickly easy use went lovely walk around cricket grounds car charging chargers intended playersspectators bar open saturday see website hrefhttpnewroverplaycricketcom titlehttpnewroverplaycricketcom targetblankhttpnewroverplaycricketcoma charges revised 20p per kwh end feb 2019 25p per kwh thereafter good used ccs top 80 expensive faultless service instavolt sides awkward side parking ice buckets squeezing exit good unit appeared switched earlier evening usual excellent instavolt charge close 50kw throughout drama sign instavolt app using referral code 6ja8x get 5 account credit good charge parking rather awkward always reliable sign instavolt app referral code towad get 5 credit account first charge 33kw need charge electric vehicle use instavolt mobile application really simple use would recommend use enter referral code tco83 signup receive 5 account credit first charge simple contact less payment service using app use code 5 free credit f6ljt 5 pounds pre payment credit cards dead unit completely dead working fine chad beware people air bay grey ice behind power unit situ two bays tried use charger evening one chargers showing available however tesla model x using space parking broken charger ice vehicle parked couldnt try stretch cable either pop perhaps rural walk followed coffee visit golf club online hrefhttpswwwleedsgolfcentrecom titlehttpswwwleedsgolfcentrecom targetblankhttpswwwleedsgolfcentrecoma contact 0113 288 6000 successful charge note placed car says space reserved flat occupant public charge point charging despite blue light thanks information sorry took long hopefully charger right place admin still needs moving coordinates havent changed yet thanks update updated charging point admin correct coordinates 53826127 1578959 spinning acres lane tetley gate however three posts residents car park iced question intended boxticking working good fyi longer free use charge 25p kwh charging decent rate ev owners visiting aldi stores reporting zm pay charge aldi chargers one network may factor back normal 24 hours free vend morning staff told throughout june charges would begin july past week tried switching needed contact aldi ask situation cost needed podpoint app remember claim charge app stop 15 mins free charging posted parking restrictions type 2 seems switched available charge hours still free vending staff told throughout june would become paidcharge july payment required yet spoken aldi say apologise issue staff switching podpoint chargers happen told member staff charging would come get july today 1st july pod points still cost staff simply switch chargers see one trying charge morning store opens staff store switch chargers choose shouldnt public open access charging point car left staff members car keep one post charge car service service service today service lights chargers reason charge slow estimate charge rate 3 kwh disappointing working fine usual working well nice see 4 evs arrival long wait one finish another 4 left nice see 4 working connectors one car park good non ev audi parked bay reported aldi outcome far end appear working fine dont work iced aldi dont care next time park front come back several hours drive straight ahead turning aldi chargers far end car park orchestracomicalsave post dionhugh charging fine 7kw bp pulse chargers swarco socket service fault ticket raised 759853 gw usuals disgrace bp pulls 7kw max took 4 x 5 top ups woeful crowne plaza ashamed offering clients walked around wellington place sign anywhere unless underground car number 3 shown swarcos map device seemed offline today new tariff still says free app use also still free b sides charging using unit please note turned weekends new tariff implemented gw apparently charger powered school theyve found always free vend cost late nov 22 working accepting card paying use charger charged using via swarco app dont believe free anymore charged using via swarco app dont believe free anymore good today walked pub tonight 2922 unit appears switched could see light footpath close unit appears switched reported swarco today 31822 hi know free use charged usage nearest charger staying nice give leaf break rapid chargers luckily already swarco e connect card work place charging thank really appreciate apply rfid card need use chargepoint making account swarcoeconnectorg costs 10 card faults showing unit reset gw morning 3rd august ab side charging plastic cover disappeared one side dont know effects rain getting reported swarco econnect await events unsuccessful unable locate map wouldnt accept card helpdesk wonder restricted school staff help resolve would greatly appreciated thank unable charge sadly one need member school called helpdesk going options doesnt show app either thats restriction think help resolve would greatly appreciated thank working even though doesnt show swarco app charge show history swipe card activate end session unit service public network appear app gw doesnt show charger app charge successful using rfid card pulling 7kw though spoke school seemed know nothing hi get card order use charger unit fully operational available requires rfid card number stall claims longer manage stall instead managed primary school unclear whether public use anymore since 6th december reported beev uses beev app rfid card uses beev app rfid card uses beev app rfid card uses beev app need rfid card must register app send card otherwise cant charge simple process set though still working dc rapid available put enough type two reach thornbury instavolt connecting temporarily unavailable looks like ac socket available bring cable unavailable really annoyed ccs chaedemo reporting order reported month agowill report soon failed less 10 minutes call geniepoint reset faulted two minutes say reports anyone else faults read zapmap reports said hadnt heard anyone else charged 8 minutes stopped still drops 30 secs reported genie reset still faults short time still faulting 10 mins charging creating soft emu fault car power power car performed 10 minutes faffing try get app working got charge put 15 miles stopped would reconnect stops charging 30 secs 4 mins stopped useless charged 6 mins gave charger longer available instavolt charged 6 mins stopped reported service blocked ev charging temporarily unavailable type 2 working fine ccs isnt chademo unserviceable grabbed type 2 top unavailable unavailable unavailable wasnt working yesterday working type 2 working chademo unavailable screen type 2 ok still type 2 working like weeks type 2 working put 29kw 30mins unable start charge chademo red display engie answering phones technical error issue others mentioned charges 10mins stops started charging stopped 10 mins ring reset restarted stopped 3 mins called use reset restarted stopped 3rd time reported fault convinced sorted stopped charging couple minutes cant restart charge used ac charger worked engie app didnt show cost charge still charged though charges 10 mins stops tried times something faulty sure charge types chargers 11 mins makes grinding sound stops possible faulty cooling fan tried 3 times issue ridiculous prices opinion charger longer free 042 per kwh got 42kw 20c looked like charging appropriate light switch onmy charging point got back car 40 minutes later hadnt charged idea working arrived morning find working local charger bit annoyed 74 minute full charge 29kw 42 mins easy free 24kwh hour 36kwh 58 mins managed get 27kw going work convient free works fine getting around 89 kw type 2 free charging hour shop fab good free charge still working fine unit dead power successful charge i3 next bay still good charge type 2 connector seem working well managed charge type 2 40 minutes leaf plugged side halted charge giving 24kwh job successful charge charging 25kwh instead 50 back working service back although getting 16kwh used get 40 back working mobile signal poor used rfid start charge still service say know still service taped round unit switched order tried last 2 weekends connects charger cuts shortly working connected charging looks like working ok screen hear cooling fans wow wish free fast reliable chargers like live brilliant took 75 minutes go 3494 right next playground shops great location good easy chademo charge free charge ccs useful info found following conversation someone involved installation charge point even though one bays says taxis regular ev drivers also use bay think means taxis cant use bay regular evs use single charger despite multiple connectors issues ccs charge good managed 36kw id like assure temporary issue caused recent server migration looked see charging unit back online full working order registered users well guests marty accepted payment card would start charge hi im sorry trouble caused confirm temporary issue would caused planned maintenance however checked systems everything back track unit operating normal holding fees youve charged returned account within 3 business days however banks make take longer release pending transaction back account money chance debit account please get touch directly refund amount back account im sorry inconvenience caused marty tried start charge apple pay contactless accepted card showed screen saying card found tried twice avail could remove charger unit screen reverted welcome screen two pending payments 30 account hoping disappear confirmed connection thanks report socket looking charging history cable latest uses seems like charging successfully encounter future difficulty please attach image fault investigate anzaila connection error broken thank report informed site temporarily closed sorry marked unit unavailable please get back touch know building works completednadine building works going access charger posttestedandfullyoperational posttestedandfullyoperational cables cut presumably stolen right back opposite side pub fine weekend bppulse successful charge still isnt working im cancelling bp subscription power still keep network wasting peoples time single positive experience bp pulse dead power reported bp pulse dead dodo still working reported bp youre subscriber would use point often complain bp politely pushed credit account debate involvement team leader department authorised unit working died power reported bp chargemaster reported rapid worked months bp pulse action 4 months even though request repair went immediately come bp crap service supporting customers unit still dead power still oos 2110 wondering bp ever get around fixing one unit dead signs life still waiting bp repair told 910 phone call bp support line still wasnt working 1010 still dead reply bp pulse awaiting parts reported bp pulse completely switched signs life didnt wake ccs charger covered bird droppings whole unit functioning looks deserted neglected machine even switched still connection problem ccs shows server error 8c trying use good ac 43 using polar plus card good ac 43 using polar plus card working either via touchscreen interface app called helpline charger failed two reboots helpline staff also seems problem app happened drove alternative bp charger use expensive contactless option error 8c per previous comments device appears working pops error 8c connection refused server safety checks done safety problem polar notified temp barriers pub still managed use tried block entrance pub closed u still get round good ac 43 using polar plus card reliable unit ive come across far easy transaction good polar plus rfid brilliant fast charge toby good one stop refreshments good garden area sit aswell weather ok usual another excellent polar rapid charger brilliant location hotel guest one visiting toby restaurant free parking contactless payment good ac 43 entrances car park blocked benches yesterday afternoon good broken bppolar jinx taken 5 months since crap 1st experience llandrindid wells wasnt iced couldnt remember password use app waving bank card couple places chademo biz 5kwh c15mins 30kwh leaf cost 150 pleased polar map showing ac back online still type 2 cable good charge ccs type 2 cable awaiting parts charger blocked ev markings went recce one didnt need charge live nearby home charging sunday evening carpark packed point doubleiced hoped try chademo type 2 removed awaiting parts working type 2 cable missing completely tonight rang polar find going guy said aware waiting parts return date engineer scheduled make bays well marked half iced tonight handbookwheelscubic type 2 connection broken type 2 damaged connector bust sorry type 2 thats broken ccs connector broken quick 30 min fill morning cheers using great charge leaf30 chademo today nice charge keep following road left around car park charger far corner car park used polar instant rather contactless activated app need select polar card screen cost 25p per kwh 30p says screen error 113 charging bagged service debit card accepted phoned fault number remotely rebooted system card accepted charged successfully issues plugged contactless payment successful charge 37kw teslas around 1000 one 190mph charging good charge perfect charge morning used days ago convenient location heading leeds well stocked petrol station shop usual excellent instavolt charge close 50kw throughout drama sign instavolt app using referral code 6ja8x get 5 account credit perfectly good charge starbucks nearby handy second time charge fails delivering 736kwh charger works doesnt charge full 50kw slow 20kw charging car 60 full charger works doesnt charge full 50kw slow 20kw charging car 60 full need charge electric vehicle use instavolt mobile application really simple use would recommend use enter referral code tco83 signup receive 5 account credit first charge reliable sign referral code towad get 5 credit account smooth able park sideways wouldnt connect station via app contactless worked ok though perfect fuss failed engine difficult get car charger right good rapid charge instavolt stations always seem work like dream different wouldnt accept debit card yesterday kept tapping nothing happened today notice 5 x 5 deducted bank account even though couldnt get machine charge connected immediately via contactless happy starbucks 5 minutes walk away using app use code 5 free credit f6ljt yes theres good information httpsevdatabaseukcar1202volkswagenid3pro specific model others listed im new volkswagen id3 use charger station car cant charges easy machine says charge error first public charge good bit tricky get connector car charger side good except new petrol station signs going thought meant wasnt going able use today suspect worked couple trys took couple tries get started ok although 30kw parking bay side chargepoint rather usual end makes bit tricky get cable plugged unless park half bay works well problems fast problems charging car ccs charging like dream easy use hi evfamily thanks letting us know point accidentally replicated seems show correctly kind regards admin one device chademo working ok problems good ipace sucking electrons type used e golf good said error card charged successful change thanks ipace driver unplugging showed successful charge jaguar pace successful charge cvs good coffee working fine chad insignia parked charge bay mid morning still lunch time iced insignia hour blocking charging worked well drive london location great coffee successful charge sunday easy use costa coffee machine inside garage charged fine friendly staff garage free vend finished charged 409 gbp dc chademo working fine petrol station busy 130am friday night open 24hrs feels quite safe still service 3pm today reported onsite store said nothing us reported phone number adjacent sign lady phone tried reboot avail sign power charger whatsoever hopefully back stream soon normally charger one best unable tell long restored fortunately enough charge try elsewhere 35pkwh free use first time use introductory offer works fine w golf works fine electric golf still offering free introductory charging wow easy use stupid positioning car park though leaf feel like youre entrance leads arent long still saying introductory offer billed 35pkwh sure 35p offer first post 123 amps chademo working great still says introductory offer charged little scrolling display whole machine even unit still still missing connector order weeks cables one presumably stolen please fix asap charger dead switched screen blank cable replaced unit rapid charging still service machine switched charging connectors missing cable ends action ccs connection plug attached nearby rothwell leisure centre one connected didnt draw charge support rebooted still errors sent worked fine first time rfid card took connect got eventually deffo isnt free easy connection issues free charge ask working another car using ccs one one rothwell worked last 24 hours free charge starting via web page tried 3 occasions charge accepts card makes noise red light comes stops charging worked connecting via website worked well 25 aug 7am started charge website machine deliver 0kwh even though say success car waiting electricity rebooted pressing emergency button 5x tried joy report later normally dont problem charger could get work someone charging using ac socket beforehand presume charge successful however could get charger start called helpline advisor helpful rebooted machine still couldnt get start working slight issue attempting disconnect webpage didnt realise active charge going called engie answered quickly reset charger disconnected straight away issues busy time full charge problems photo isnt marsh street car park waste timeconnects nothing ccs working pushing 25kw charge successful third attempt still power unit 2 guys fitting replacement machine old one returned france repair sat 17th april 4pm new one become active maybe tuesday fingers xxd team today swapped units brighouse horsforth yesterday still working screen blank 50kw working called engie awaiting engineer response 10 kwh charging works fine stuck initialising 22kwh charger works however faults ac dc starting charge 175kw 60 mins good chademo 30kwh leaf i3 egolf also used model3 parked adjacent couldnt get charge card work works 10mins stops reported dc charges working ac socket though good chad leaf30 followed ccs ipace took finally connected website error 2 days running number failed attempts seems one vehicle use charger 49kwh delivered free etron rfid used happened charging via ccs 22kw connected stopped mine charged fine except someone connected 22kw one time stopped mine yesterday slight smell burning arriving charging point cut two occasions working fine tried charge today wasnt successful connecting via app keep tripping every 10 minutes able restart via app nearby morrisons cafe cut around 70 possible issue onboard car computer charge successfully restarted rfid card web interface didnt seem working wasnt able start charge without rfid either occasion successful charge chademo however leaf driver using type 2 reported stopped charging point successful charge understanding type 2 could used alongside one rapid chargers sure occurred short topup via type2 lead got shortnotice hair trim done new londonreg citroen using ccs presume phev ccs charged ok 1600 9th july charge confirmed person must come along hit emergency stop came back additional charge disappointing people feel need seems ok 42kw started 27 normal medium temp battery 30 full getting 17kw working able charge reported engenie good free type 2 yesterday lead 30kwh leaf done 1hr 10mins free type2 topup leaf30 nothing else charging fitted hairtrim shopping morrisons disconnected moved enjoying latte cake small cafe quick start charging 46kw tried first time worked ok lead short know app need thank slow charging reported engie used type 2 socket chademo tethered sun 15th dec good freevend btw parked blue hatched area others use area 30kwh leaf chargers showing red web app arrival someone locals probably theyre suspicious anything beyond steam powered pressed emergency stop charger display still lit said release estop within seconds whole thing running good worth trying even red great charge couldnt find correct app use website quick top way home iced one side sat night take taxi side would interesting see enforcement instance tried yesterday thanks black i3s owner help appused cable type 2 socket yes app shows elapsed time didnt incur penalty app said id taken 10kwh later email gave correct 357kwh machines display wasnt telling others owt leafs blue lights show charging progress beware drivethru taxi bay charger adjacent club freevend short charge today try one web app phone easy use keeps track time 75mins max overstay charge good 22kw ac charge ideal zoe thank report may temporary issue see customers able charge unit would suggest contacting customer service team fault occurs jason good ac 43kw ever get 33kw use evenings week days youll get local dpd vans using lot id like assure temporary issue caused recent server migration looked see charging unit back online full working order marty error code 6 getting full 50kw long time battery nearly full managed 40kw ccs easy get going contactless card downside charging summary kwh added flashes seconds end disappearing telling disconnect charger bppulse successful charge work dpd charge often vehicle 100 charged cable automatically unlocks front pull doesnt vehicle isnt fully charged two ev parking spaces charge one vehicle time good issues time mini charged 100 last time dpd van left charge unattended van charged 100 owner must come back hour gave waiting moved another point shame people dont keep eye car ready might waiting long time desperate charge spot showing service working fine thankful quick charge enough get home fast ccs charge zoe fantastic charged quickly easy use working easily accessible charging 45 kwh one car charge one time even different charge connectors get bp reset emergency stop used previous user even charging dont need evs coming areas chargers enough 14kw 20 min fastest working good leeds infrastructure great charge station delivering 49kwh good 48kw speed communication problem vehicle shame normally great charge cheap wouldnt recognise bp pulse card answer phone barrier open restrictions good working black screen saying ive connected charger would returned guest screen still debited 15 bank acc zero charge used get successful charge way unit froze would unlock stop charging call bp pulse reset machine pay 20 mins extra charging bit slow working fine good quick top 15kw 20 mins almost iced quite third attempt charge evening thank goodness working issues good ac 43 using polar plus card working charged yesterday first use bp pulse rfid card anymore 31 mins connection lost error 8 refused accept cable wouldnt charge car park bollards access hi thank feedback information charge point updated reflect charger access blocked bollards entrance car park barriers prevent access car park couldnt get super quick connect away go pub closed due lockdown travelodge still open good ac 43 shows working ok ccs still dead bless various alternatives nearby still working charger awaiting repair reply polar right post dead due technical issues thank bringing attention fact still map taken unit map problem get fixed order avoid confusion asked polar check charger last week switched showing charging use polar map charger back polar map assume working power unit charger located inside entrance bruntcliffe road took couple attempts 3 calls operator got going end downloading app charger remotely restarted reason unit number type app written hand charger one official looking plaque attached machine operators friendly looking charging history unit see charger working correctly today yesterday however experience similar issues future please dont hesitate give us call dedicated customer care team happy solve marty charge error charge short sort connection issue tried twice bppulse successful charge working fine bppulse successful charge thank report please reply back picture cable call customer service line 0330 016 5126 jason cables cut barriers unable charge thank report socket 63a however certain cars limited 7kw due battery size car explanation please call 247 customer service line 0330 016 5126jason charging 7kw tip top pub car park unable access carpark put barriers full 50kwh great working fine used one skelton lake services chargers working bppulse successful charge couldnt connect properly connecting plug kept slipping annoying bppulse successful charge worked treat quick user interface connection car renault zoe 135 needed reboot would work ok 48kw scan card twice charger plugged second attempt unit appears dead lights used today guest user issues call helpline machine unresponsive wouldnt read membership card sorted got solid 50kw full 50kw supplied car dont often get max quoted polestar charging 50kw easy find problems used app connect works fine issues showing reboot message never starts 0730 saturday morning successful charge dark raining lights car park great none working worked spot issues sure 1 connector used time despite two parking bays one guy one connector wanted use one free touch screen stuck charging status seemed way activate connector first car finished connections working still service awaiting engineer app connecting unit wouldnt recognise connection car chip connector dont know issue hi thank feedback access restriction charge point updated reflect closed due covid card machine wasnt working reset machine disconnected connection made worked well easily accessible issues successful charge screen unresponsive works via app screen doesnt respond touch input car park blocked barriers access 0630 sure time opens wont recognise car tried multiple times good didnt recognise vehicle ccs broken card reader failed worked treat emergency charge mammoth failure charge points wetherby a1 services could done miller carter outside seating serving drinks cant fault charge car park blocked hi thank feedback access restriction charge point updated reflect admin unit remains inaccessible car park blocked car park closed charge point behind closure convenient suddenly find ferry bridge services closed 44kw pub looks nice outside good covid protection rules good ac 43 using polar plus card fast charge couldnt close charge wouldnt recognise card used start charge help line permanently hold worked fine refuses recognise credit card release car emergency stop 8kw hour charged 250ish contactless 2 x 8 taken bank account charge master plc used saturday evening contact less credit card problems touch screen working polar reset unit still wasnt working sending engineer great charger easy find charger good good charger brilliant seems bit slow fast 50kw ccs ive used issues charging app well priced plenty space bays great didnt get 7kw seems chargers load share 2 evs got like 4kw however issue topping battery wednesday 28th december charged ok slow getty ng 10amps time added 30miles issues report loadsharing place also note pay charging parking currently charging ok 3 4 kw stop hour even confirming podpoint app started unlocking relocking car helps remotely otherwise would issue started slow 31kw nobody else jumped 61kw etrons battery hour 23p per kwh according app shabby charge okay slower would expect paid service also pretty upset pay 12 park get charge dont recommend venue working average 65kw fine charge drawing 7kwh 36kwh according mini app really disappointing fast nearly 4 hours issues 5 docking stations week ago terrible service incredibly slow barely got charge one 8 chargers workingaccessible others roped cant reached see previous photo useless charge points taped ones cones front worked fine charge tried confirm charge kept getting message charger already used looked like users hating issue today chargers lit red charging second unit tried users problem unable charge today full busy car park get chargers seemed ok connecting starting charge first returned unit shopping power lights charge unit seemed issue good 25p per kw 160821 longer free 23pkw easy charge free charging coming end 16th august wil cost 23pkwh great place charge park easy 7kw speed 64kw etron plenty spaces 16 total half empty 4pm today wednesday free charging confirm via app parking fee pay getting 4kw pretty slow charging otherwise working fine morning successful charge ball ache connecting pod point app hi thank feedback access restriction charge point updated reflect admin tried use socket b selected podpoint app wouldnt charge pulled put instead started charging feel like walk parked wrong space loads spaces parking charge 3 hour 5 two hours car park completely closed today cones shutters went trinity instead isnt perfect good substitute today good fred dave side 3 park 5pm port b worked fine today charged earlier today issues failed charge free charge free charge dont forget validatepay parking ticket first time easy follow happy days john lewis opens today 10am even though shop closed surprised find could use victoria car park charging points last week car park shut access chargers successful free charge ice good gail adam b parking 5pm 0nly 300 charging successfully free leeds conference 6 hrs charge thanks pod point expensive parking though working good tonight right side blank left side flash good four working others right end working cars plugged clear unit needs lit blue show operational figured end zapmap shows service got charge much enough avoid stopping services way home brad working five bays free arrived 2200 one iced zoe good successful charge gailadam app apparently didnt confirm charge said came back find timed 15 minutes one space iced successful charge initial problem app solved retrying first floor toilets iced thanks parking info added charge point working parking 300 5pm chargers full two evs charging charged successfully left car 3 hours failed get charge 8 bays occupied ev phev bit naughty white leaf take bay plug charge car lark attendant nothing plugged car today came back 2 hours later charge taken place looking across others plugged seem disconnected annoying parked 9 05 saturday morning plugged hardware seemed ok unable get polar apps work charge pantomime free anyway still evs left 1030 well phev parked today early saturday 1045 plenty spaces 8 total 2 occupied ices parked phev sorry full evers p charged free came back 1hr 30 later bays occupied phevs evs charging great got space among phevs working well whilst bags clearly marked still get iced dont need card log onto website claim free charge free likely phevs sit much longer needed charge however good number bays first ever public ev charge worked like dream successful charge yesterday pod point iceing iced merc car park staff never seem bothered side iced parking attendant stood directly behind nothing parking attendant stood directly behind nothing taped thanks info device information updated one charger working costs 3 per hour 7kw prepaid pay need app allowing registration website cannot use pay time charge scam also requires deposit case never used charged time anyway chargebackoclock getting charge require use corresponding app deposit money account careful buy charging time hours charged amount unused charging time get refunded need accurately estimate time needed charge device covered bin bags use sign charges covered bin bags sign says use try charge blue light lit per instructions charging post fault red light hey needed phone call provider location code didnt work thru app otherwise good visit coming road used pulse assuming wont get clamped im paying thanks restriction info olgahimi point updated admin car park private property charger chargemaster requires rfid card excited use chargers visit leeds im big fan ionity hadnt done homework assumed would use contactless credit cards ionity app 2019 government announced chargers accept contactless payments users reliant specific apps 2020 key word must unfortunately ionity done even though many ionity chargers share dont make mistake 30 min later still blocking charger charger even got bored reset busy site waiting 30 minutes car sits 100 legend 630pm expected queue cars waiting slow charge cold temps stall one offline working slow cars none cars charging getting anymore 64kw everything working though busy six bays full 9am sunday charging 5075kwh preconditioned car handle 250 never 110 shelter elements useful long trips exactly great vision future ev charging busy today waited around 5 mins get space easy enough charge waited 30min 3 cars 46kwh max charge nearly maximum anyway i3s saw 3 cars drive bored still 3 waiting left sunday 1pm eight cars waiting need chargers great charge 15 min queue slow slow charge 36 cars sat 100 30 minute wait get packed 4 cars queueing today worked fine usual still ultra fast topping 100kwh slow charge 54kwh busy afternoon around 4pm annoying see several vehicles charging slowly well beyond 80 disappointing 70 kw start dropped 50kw quite quickly slow charge battery warm low soc couldnt explain less 40kw bays use queueing nice clean services stop tea time 2912 really busy wait two cars front us rapid turnover didnt wait long used electric universe rfid card problem started 80kw 25 soc settled 60 also didnt help queue 2 fully charged evs left idling 10 minutes owners returned getting 51 kw six chargers individually capable 350kw nobody expect grid connection supply 2 megawatts would enough 300 houses cooking christmas dinner individual charge rates 70kw use would require 05mw perhaps grid connection supply interesting know sure polestar2022 commented slow charge note started charging fullish battery 70 charge curve falling rapidly photograph taken 97 charge rate 4kw completely expected best stop earlier use ionity trickle charger 6 cars charging slow 74 kw must issue power supply station climbed 130kw 2 cars unplugged dropped back replaced first time ionity went smoothly queue get civilised arrived 18 pulling 38kw ok slow 40kw though frosty charging reaching 65kw working fine working together last night busy late thursday occupied 5 waiting charge wrongly flagged connector issue use queue successful charge slow tonight presumably due cold battery others mentioned 43kw charge increased 94kw around 80 charge yet running slow nothing faster 75kw misselling worked max charge rate 39kwh people waiting charge slow charging got 45kwh definitely working fine others use never fails unimpress max 71kw thats 2 spare use avoid mazda mx30 pulled charge couldnt chargers charging 78 kwhr 85kwh charge 1 charging time guys fixing faulty ones charging getting 30 kw max74kw 6 chargers use showing 34 77kw pretty useless really get signed 350kw speed possible waste time slow charging round queue max charge rate show 60kw chargers well disappointing slow max 80kw nowhere near 350kw claim normal get 150kw ionity great charging getting 34kw colder morning better ten min charging battery getting warmer others stalls getting max 70kw maybe car throttling things facility still isnt giving id class fast charging 100kw slow 32kw quicker today getting 58kw 60 charge getting 35kw 15 100kw successful charge couple waiting charge charge rate disappointingly 30kw car handle 70kw battery empty supposed able deliver 350kw poor charging speeds preheated battery expecting 225kw currently charging got 50kwh reducing easy charge though working ill bit longer hoped poor vehicle preconditioned gave max 111kw meant 350 kw max poor app wouldnt accept apple pay wouldnt accept chase poor service service free vend 43kw cant complain 125 miles whilst bite eat waited 25 mins 1 charger order finally plug getting 36kw broken screen says free vend wont proceed dont bother cable get stuck car reporting order 34kwh 15 minute stop hour advertised speeds ever available 5 personal favourite usually super quick today free vend 36kw per ionitys map cant grumble free charge whilst lunch break stops working soon connected vehicle ionity app locks 5 minutes person issue switched 3 chargers im 45 id3 24 software struggling get 40kwh charging curve point 90kwh really terrible enough charging points either wait 60 minutes one charging slowly 35kw max hour 28kwh transferred slow connect 4 vehicles tried far last hour 40 kw giving 30kw running slow evening 5 giving 30kw successful slow 5070kw max sure id paying high monthly subscription hyundai yr 1 rate ends speeds getting 76kw cold day 50 battery car already done 100 miles 220kw charger problem car course happy charge 220kw speed even delivered tried three different chargers supplying really low levels charge 20kw one else charging either 100kw somewhat true ionity reputation variable output chargers installation experienced others get 30 something kw move another get 100 1st one tried pulling 34kw moves bay got 159kw straight away good charge started 125kw dropped 41 plus wait six chargers full 3 cars waiting 70kw late night charging fee charging ev6 40kw whilst veing car car decides much power pull battery isnt warm take longer charge range car departure time setting may warm battery set increasing range also allows battery charge faster working well fast charge longer free today 68kw socket b working fine today successful charge socket 90 minute maximum stay car park charging bays first two right enter neither b work ne avoid raining unless youve brought wellies cloth wipe cables theres puddle 4 inches deep usual busy car park spots iced good reliable charger getting busier chargers working fine well done pod point providing reliable network important confidence good connectors well done podpoint 68 kw charge good chargers well done podpoint charged 45 mins whilst morrisons successful charge free parking maximum stay 90 minutes charger located immediately upon turning right carpark used morning good even bin next put rubbish error message advising unable charge error message advising unable charge note 1 post 2 connectors four spots iced busy car park remember register pod point instrutions charger us first confirm app get 15 mins charge worked 90 mins max car park 100 fine bit pointless charge message dashboard says checking charge post pod point help line says work one station worked well device doesnt exist brynaxel charger present connectors working fine currently freevend point works great doesnt appear podpoint mapapp contrary signage doesnt stop 15 minutes couldnt find podpoint map phoned helpline couldnt find either started charge without usual confirmation via app expected disconnect 15mins carried gave 10 45mins fine iced first finally got plugged charge point didnt come app rang podpoint couldnt find either nothing could socket b iiggy adia good seems charging 1 hour stopping charge become slow chargers unsuccessful charge charged 10a home supply failed half hour cha rgers working shame used plug hybrids fully charged sat blocking charge points assist wheelchair user desperately required charge cant confirm charge says already confirmed iced iggy door working door b works minutes says service payable 28pkwh longer free 28p kwh longer free changed 23p pkw week update side b seems work keeps cutting 15 mins even though charge claimed running half speed 36kw successful charge started slow 31khw increased 52kwh side working switched b charged yesterday 20722 problem charging difficulty taking connector pod point could excess heat sunshine though due outside temperature 35kw per hour size b service today power aida side danelola point working successful charge lucky enough get spot saturday lunchtime issues charged first time busy charging 36 great quick charge whilst shopping location always full days pod point need add aidafaye port working confirmer charge point yet still stopped charging 15 minutes 54kw wont charge b light faulty connection wont charge charged 10 minutes even though charge confirmed app reported podpoint however device fault 2 weeks ago moved another charged issue spots taken enough bays available started charging ok dropped would restart fortunately got space busy one charger action successful charge successful charge side busy spot one space available 1930 tuesday evening red light point reported pod point good charger working good connector working showing red point app says available reported pod point move car 2 times working one worked super slow free moaning point b working poor connection kept dropping socket 1 order order chargers working plenty free nice free top whilst shopping started 74kwh dropped half power half hour cant complain free shopping suggests area underpowered devices charging worked perfect earlier today problem right port drawing power flashing blue red charging b good isnt working lights b working 36kw car take 11kw great see many charge points full lunch please slow charge 10 mh always busy white rose days quite busy 2 spots available easy use app got last spot far many hybrid cars taking spaces good charging 4kw bad going meal failed charge car reported mains voltage 3kwh 3kwh dane lola bay b iced slow ramp 7kw added good percent shopping successful charge half power 38kw though suspect due hot weather podpoint downrating protect power socket nice quick shame someone parked petrol audi q7 next charger bay security need something chargers working 6 10 chargers working like week car reported power would start using app would start rfid card use charge ok bring paper petrol station shop doesnt sell seems working ok seems working fine functioning successful charge worked first time via contactless payment ccs charger seat mii electric totally dead power unit ok tried one lamb samosas shop really tasty microwave onion bhaji today im sure theyre nice feel free try one post comments worked second attempt accepted contactless polar 2 x 15 charges refund working screen dead informed pulse said theyd look screen dead informed pulse said theyd look console dead chargers workon hold polar good charged ok power fluctuated started 42 kw 13 back 25 finished 21 sure normal new nice garage friendly chap shop toilets customer use coffee machine touch screen working faulty cable detected arghhhh working ok unit failed connect hold 15 mins gave poor customer service chargemaster good ac 43 using polar plus card working fine wait one charging 1 waiting gonna need lot chargers soon app working adequate parking space charged 42kw 50kw nice selection homemade indian snacks available shop good ac 43 using polar plus card good ac 43 using polar plus card successful charge working error safety check translation available error message repeatedly came trying charge called support investigated couldnt see anything wrong connection charger could get charger work kept getting translation available error message couldnt get work kept saying translation available machine tripped earlier today owner service station came reset power came unable start charge keeps giving error translation error working translation available error phoned support reset device still working first time charging new ev good ac 43 charger next exit service station stourton bp sevice station good ac 43 charger next exit service station location clearly incorrect bought model 3 new charging charging rate per kwh peak many thanks quick stop charge successful 0 star rating tesla navigation gave wrong directions 4 times gave stormed city looking nearest nontesla charger sort idiot puts rapid chargers middle city loads oneways nearly drove across central reservation desperation cars charging 112kwh know car utilise higher charge rate battery depleted battery percentage increases charge rate decreases confirmed previous post saying got 202kwh chargers car 2 first time using supercharger needed charge 15 mins according nav ended charging nearly 35 mins get enough charge continue journey bit disappointing get 4143kw busy car park thats really easily accessible 30kw despite car car park empty arrived around 11am tuesday 2 battery charging peaked 202kw managed take picture good 31p per kw model 3 fast efficient charge 160kwh start place full still quick today got 100kw max even though one great look like theyre working tbh constantly disappointed lack power site one charging battery normal temperature normally getting least 60kw superchargers state charge 250kw butt cheeks faster standard tesla units im getting 27kw many bays filled cars charging still managed 63kwh also pretty tight car park service carscars collected 189 kw quiet pulling 41 kw morning disappointing 49kw despite one car bays disappointing tesla included type 2 connections new manchester south superchargers asked store offered book car retrofit forget many hundred pounds tight space full tesla tourists getting way gawping posing photos front cars good thing point view two superchargers capital boulevard bit quieter tesla servicepickup centre gets busy doesnt enough space visitors cars centre opening hours expect charge bays full blocked parked vehicles id charge elsewhere possible device 7 plain ccs tesla ccs charger appearing filtered tesla ccs points map v3 chargers charge 250kw separate current doesnt matter many teslas charging get full current insanely fast charge 40 10 minutes slooooow supercharger 75 kwh even though stalls mostly empty eight stalls ccs 250kw chargers chargers chargers chargers permanently iced residents parking applies charge points site old school house victoria gardens private grounds headingley park next longfield house luxury apartments signal kept dropping couldnt charge acts though charging doesnt actually charge showing fault geniepoint app took ages connect wouldnt charge fast problems connected quickly close 50kwh slow speed start charge app connect ccs cable car 180 mph good plugged connected okay started charge point fired made charging noises 10 minutes stopped got check continuing session charge complete emailed receipt attached showing zero charge second engie point ive row happened nice new charger working well good ccs fixed working expected light fingered pinched ccs cable reported engie charger 01068 wires exposed charging point combo connector vandalised reported engie works treat 17th may 2021 covid testing using car park charger still available bit lonely one else car park pestered beggar working fine today spoke engie said charger offline weeks part covid19 testing site charger appear engie map back online showing charger map phones support say charger use sure 2 chargers reported site one charger showing charger map phones support say charger use charged ok morning charging bays slight slope ice made nearly impossible get icey maybe worth stopping across bays installed 240920 ok keep arriving charger find someone smacked emergency stop button either vandals regular doesnt know stop charging session charging working fine chademo im sure zapmap says 2 chargers could find one charging fine chademo worked well first attempt failed 2nd attempt perfect absolute nightmare activate following process online card details said connect car never worked never use company simple machines much better hate complicated one passion despite shown order good overnight charge seems fine app says order often iced shop patrons otherwise working fine still service point still fixed yr working temporarily service 1225 26th sept working weeks paid using app one false start worked fine 50kw start dropped 30kw towards end working couple false starts works delivering decent charge good location next bars cafes rude type 2 working ports fine payment method contactless working think app issue couldnt end charge without blue tab top phone etc press emergency switch got lead ok emergency stop button need resetting prior successful charge working last simple tap charge fast good enough new area finding ev charger difficult clear signage evident assist finding charging point seeing 32kw charge eqc 2 tries get start charging type 2 connector seems parked device connectors blocked ccs type 2 available charging stuck initialising working didnt start doesnt get charging gets stuck initialising good first charge new car seemed slow dont much experience works great geniepoint app charging rate dependent battery temp state charge freezing morning zs 27kw first good getting 38kw though first time ev charge might normal ignore prior comment allegedly use mobile app havent tried requires card use unsuccessful charge tried numerous time worked fine charged full 50kw rate pretty busy however 3 cars arrived whist 22kw charger working thought connected something another customer tried get touch geniepoint two pick call one unit replaced broken engie charger geniepoint selfish driver using car parking space charging machine situ looks like stolen removed turned recognised genie map charger turned awaiting maintenance switched charger broken switched need register yorkshire council instructions unit cafe osc ada opposite recommendation service nice range cafes across road occasional farmers market tried list live website app seems awful screen says temporarily unavailable broken locked cable answer phone call hit emergency button release theres issue call engie restart charging point work people working ice parked ev charging space good fast free charge 50kwh cch cable short reach right hand bay use taxi left bay yan chen left debit card charger took 2 tries get working got charged 10 went 1hr20mins initially failed start using either rfid web page rebooted machine started behaving got best rate ive seen one boxes 48kw slow 45 mins got 14 45 charge type 2 charges fine working fine morning charging seems start stop short time tried twice annoying doesnt get beyond initialising use never anything trouble always end phone hour trying get charge use taxi bay available good fast charge service working perfectly ccs servive order works fine working installed b doesnt seem work one charger devoted car club one plugs fine car indicates charging finished hasnt started charger wont accept apps cards hi thank feedback information charge point updated reflect longer free use hi thank feedback information charge point updated reflect 4 connectors working free charge plug start 4x connectors 7kw 1 working 1 shows available cant lock cable wont allow charge start removed building work private car park avoid expensive parking 22 24 hours pay charging message rejected reported cyc successful charge sockets still poorly progress expected soon still dead still totally dead reported car park management 0113 244 4271 suspect someone needs go breaker room machine totally dead although whitehall road car park website suggests charge point accessible weekdays 95 arrived sunday 1030 managed persuade guy intercom open barrier let charge lets private section car park back parking free stayed 3 hours pleasingly barrier opened 1745 good facility barrier use intercom access may 24 hours visited 2pm saturday outside office hours james1980 reports 1 2 bays 1 available reserved carclub 2 barrier access means reliant someone available open dont bank core office hours 3 nice big spaces sides working fine though side b reserved car club phev access whitehall road access wellington street yet regard office hours red lights new position note red lights sides screen message reads error tamper thanks info device marked service get info open closing 110817 cant attach photo reason closing three marked bays iced chat one reception guys said could use car club space also confirmed 3 hours parking free charger closing weeks working new car park barriered buzz charge left hand connector public one works fine leaf polar card sides correctly displaying cyc app use failed authorise cyc unable resolve phone leave without charge anyone confirm 3 hour free parking mentioned still car park operator runs please plug would authoriserelease using rfid card app cyc helpline would answer leave wo charge nb plug b reserved car club two spaces iced leaf fully charged well long lead others said way find behind fence far right hand corner car park double type2 charger right hand socket says reserved enterprise car club one leafs indeed plugged couldnt check socket would actually work others free left hand socket worked fine though easy next time charged good experience someone unplugged charger away hour got back charge security interested know fantastic charge park free 23h parking attendant told us charged successfully didnt pay parking successful charge discussion wardens patrol wellington central long stay say 2 hours turned new leaf see works downloaded appregistered card called helpline get flap unlocked started app told charger plugged bugger find point though others said satnav takes ncp car park put whitehall road chargers far rhs car park drive looks inaccessible get pin map correct dont follow directions access whitehall road car park point far right park gap fence access 66m surface car park whitehall rd ncp multistorey suggested cyc app 4 marked bays 2 permanently iced one reserved charge point permanently occupied hybrid waste time really hard find postcode takes multi story spoke charge car know charger long podpoint bp pulse free use got eb app said busy arent free 39pkwh never found bp pulse charger showing bps site thankfully going charge concert made sense didnt need miles get home posts accepting bp pulse cards told use eb app dont appear app cannot charge leeds city council wont thing say ebs issue funny council vans still charge idea successfully charge tap card card charge car connectors removed replaced eb go however available via app unclear public use price ooa local council vans parked replacing chargers ooa charges ooa app refused accept payment phone number device disconnected help number goes bp pulse help cant take payments wasted 30 mins waiting pulse rfi card arrive disappointed app 70200 point b action still usually park first time tried charging luckily trial run location doesnt even show app even though listed according app nearest chargers university even work dont think would bother tight parking compared upper levels broken call help desk couldnt get working attempted charge none charging posts labeled numbered impossible know activate wifi signal app refused authorise charge acceptance wasted 30 mins absolute shower shite cant get connected chargers apparently leeds city council connect theyve given special card theyve taken line thanks absolute shower shite cant get connected chargers apparently leeds city council connect theyve given special card theyve taken line thanks driving work 3 months successfully managed charge car twice cannot rely chargers even top might well remove whole setup complete joke working chargers blocked lcc vans particular charger 70204b green available light connection cyc cannot start charge 70204a showing red fault light frustrating experience dont waste time coming spaces also far small lots cars deliberately parked across two bays wouldnt want ipaces dinging awful avoid costs incredibly tight car park tonnes chargers working ones couldnt connect trying 30 mins occupied council vehicles working would connect spaces taken council vehicles council vans many charging blocking chargers two bays phevs probably left day dont bother need charge probably 10 bevs parked bays poor terrible experience tried two chargers work app poor signal car park connection fee gets taken ok charger defaults one minute tried x 3 used luck helped multiple council vans packed space extremely tight would avoid future excruciatingly slow charging 5 hours 58mihr connector b working 70202 connector b working charging 4kw day sufficient top car still lots vans cars charging today lots points working stick authorising rfid card tried four different connectors unable get charge called cyc hold ages decided leave try supercharge way home charge rate appalling charging close 18 hours 8mihr wow dont use point youre rush took forever get connected charge car probably helped lack signal carpark connected charge fine small spaces theyre stocked council vans theres way normal car fit spaces charge car gone business one ever answers phone 34 spaces available evenings lots vans parked picture taken 1830 thursday email back parking services reservation longer possible shame spaces filled leeds city council vans even plugged go else full 7kw 40mihr three vacant ev bays presently lovely ev selection im charging 70201b plenty ev spaces available currently problem authorising left hand two units reported cm say theyll investigate anyone tell parking arrangements ev permit users think council car park free park arrangements made comes nd barriers thanks new units ones without labels dont work card app sure reserved council vans update got following response trying reserve space previously recommended longer reserve bays due uptake number people using bays however installed extra bays drivers use charge vehicles thanks john senior civil enforcment officer charged 70203 today got back 11pm points used council vans points giving max 16a 3kw ish reported told monitor moved 70201 full 7kw 32a 70201 b side charging fine cones appeared markings spaces two cars iced everyday one leeds city council hiviz front seat council vans taking lot spaces also ended parking ticket efforts worked fine evening using polar plus card bays iced council vans charging others two points available cyc app wouldnt work call assistance use automated dialin service get going late evening going concert etc best prebook went charge last night charge pointed taken leeds council electric vans definately worth prebooking working level 3 bit strange car park two entrances different levels need remember level chargers however unit 70200 error message screen ive tweeted cyc good 70204a spaces presently taken including five ice cars bit faff getting going issues spaces actual charge charging fine great service get space reserve day email signage prevent non ev drivers parking lots bays free charging well done leeds city council charged problem delivered 3kw reason one else charging time charge points level 3 main entrance several bays iced saturday id reserved emailing carparkingseniorsgovuk day put lcc yellow cones bays units working cyc network card app free charge use highly recommend reserve charging bay advance email carparkingseniorsgovuk units working cyc network card app free charge use highly recommend reserve charging bay advance email carparkingseniorsgovuk units working cyc network card app free charge use highly recommend reserve charging bay advance email carparkingseniorsgovuk units working cyc network card free charge use iced issue resolved prereserving space advance email helpful quick respond request also appears two bays permanently coned avoid nonevs blocking bays charges ideally situated 3rd level free use cyc membership app rfid card informed parking staff least two charging spaces coned complained ice issues totally blocked nonelectric cars signage enforcement unusable charging totally blocked nonelectric cars signage enforcement unusable charging totally blocked nonelectric cars signage enforcement unusable charging spaces blocked nonelectric cars signage enforcement whole charge station useless every single space blocked nonelectric cars dont waste time chance charging unless arrive 6am bit pricey working fine non electric delivery cars ie eat uber deliveroo keep parking problem always three chargers use put leckie car epic meant could go fine always works fine 3 diesel cars parked 3 electric points absolute joke go mcdonalds ask ask people move cars 3 chargers bad successful quick hassle free charge bay 1 iced units action apparently due cables chopped stolen cant sorted promptly four chargers service bags cables stolen local dbags welcome morley folks copper thieves done worst units order copper thieving theres spate similar incidents place one tap cc charging started 4550kw 180200mihr 77mi added 950 paying convenience big mac coffee extra worked treat cheeky coffee waited successful charge chargers behind barriers cannot accessed mcdonalds closed great visited last week usual reliable instavolt charging station close 50kw throughout drama sign instavolt app using referral code 6ja8x get 5 account credit great charge earlier today usually works fine vw e wouldnt charge longer 1020 seconds received email instavolt say theres issue units charging vw stop spamming code successful charge steady 41kw full speed charge good perfect problems usual instavolt tap charge always find insta volt chargers reliable connected straight away using rfid card new signup app using referral code tco83 5 free charging credit always find insta volt chargers reliable connected straight away using rfid card new signup app using referral code tco83 5 free charging credit always find instavolt chargers reliable connected straight away using rfid card new signup app using referral code tco83 5 free charging credit always worked many times instavolt definitely reliable charger never really problem although throttle pretty hard gets 3 degrees guess thats expect temperature fast charge device 2 blocked mcd employee fully charged full time unable access due mcdonalds shut barriers chargers lit ready use unable get car near useless note instructions tap card plug gets confused way around nice coffee parking signs say dont leave site quick easy reliable need charge electric vehicle use instavolt mobile application really simple use would recommend use enter referral code tco83 signup receive 5 account credit first charge need charge electric vehicle use instavolt mobile application really simple use would recommend use enter referral code tco83 signup receive 5 account credit first charge need charge electric vehicle use instavolt mobile application really simple use would recommend use enter referral code tco83 signup receive 5 account credit first charge reliable sign referral code towad get 5 credit account slightly slower id hoped 38kwh takes hour rather 40 mins another great instavolt charge 2 ice cars vacated chargers need automatic parking fine non chargers worked problem slow charge 31kw easy location nice new mcdonald 3 mins m62 easiest charger used far tap payment card plug charging faffing apps logins cant like another pain free instavolt charge good fast instavolt usually 18 good charge 25kw 50 another brilliant instavolt charge 3 brand spanking new instavolt chargers less mile home heaven charged fine afternoon sunday 15th august charged okay 30 kw output successful charge 31kwh 51charge using app use code 5 free credit f6ljt easy fast easy use tap card start charging whats three uniced instavolt chargers mcdonalds simply work im living future charged 50kw 20 easy use device 1 failed chad device 2 worked awesome always cable released tapping rfid card barrier opened automatically escape couldnt better good came back today connected using octopus electroverse rfid card without issues staying park plaza hotel needed take ticket entering barrier went assumed enpr system might fun trying get tomorrow especially locked cable cable left 2 hours full charge reached cable gets locked call supplier release cable successful charge mixed experience got 9am mid week empty chargers easy find second floor simple charge need app charging price reasonable tbh car parking charges steep return car spaces however taken evs mostly even plugged charging cable locked machine ring get released couldnt find charger car park something end appeared let release cable successful charge using jaguar charging app arrrgh heinous crime ev occupying charging bay without even plugging know better successful charge call assistance unlock box charger second floor seemed working call franklin energy device didnt appear life app couldnt select charger however calling asking woman managed start charge remotely full charge overnight unable use allstar electric card iced allstar rfid card would work three points available parking spaces tight couldnt open doors mycar get failed attempt charging yes cable got stuck lesson use app stop charging first beware charger cable may get stuck unit happened times used location weekend customer support available false start one chargers quick call customer services v easy charge point fastest still good overnight charge staying nearby hotel make sure activate charge online plugging car 8kwh max output sigh another attempt use public charger another fail ever work couldnt stop charge cant disconnect ccs2 combo working ok geniepoint app failure connect failure connect still available still available failure connect failure connect failed connect network failure connect failure connect wouldnt connec good 37kw average charge running 48kw initially also car plugged came back someone using type 2 perhaps lowered ccs overall easy process using app bit charge whilst picking shopping ccs 1 didnt connect pay 3 x authorisation fee got amp leccy failure connect authenticates unfortunately fails starting charge rfid card app working ccs located bottom right car park u drive easy plug hit charge shell app charge away connecting working works reliably rfid card much using mobile app used ok morning chargers broken charging 11kwh working wouldnt connect despite numerous trys app might lack phone signal though still connecting type 2 unable connect connected ok eventuallybut rapid still able start charge similar issues ordered rfid use thanks charging wont start charging poor mobile phone signal app could start charge rfid card work service number days public charging available horsforth cookridge great stuff charging charging wait charged 30kw straightforward 42kw connecting morning bag charger working either another car charging 7kw type 2 easy connect difficult disconnect app press stop 56 times charge stopped advice anyone second time happened genie point chargers didnt work connector offline genie point app power unit faff register managed top car shopping mostly wanted try ccs new car unable get charge via website help number 20min wait cut working geniepoint rapids 10 overstay charge details app usually charger hi im looking charge car morrisons car park horsforth leeds tomorrow please confirm parking restrictions ie wont generate parking fine exceeds usual parking time allocated slow charger worked first time couldnt get 50kw working charging slowly aborted 10 mins stay night dont know absolutely roasting point charger dont feel safe use good would charge charge point combo one working ok successful ccs charge 221122 using octopus electric juice rfid consistently 43kw easy use pulling 27kw max throughout usual geniepoint charger quick easy use unsure parking though lots signs paying parking anyone shed light includes whilst charging worked smoothly space two vehicles eventually started charge engie app wouldnt connect phone support 4 attempts someone ccs used type 2 working fine earlier evening someone pressed emergency stop button arrived reset simple twist button got full charge whilst lunch despite sending stop request 3x app would endstop charge pressed home button charger stopped charge released cable works quirks would say one good sure connection fee cant see website good yet another app download worked fine 42kw charge rate finally got charge point works although app saying charging 089kwh need register geniepoint heads cut head cut charger working slow charge working others saying unavailable 20mins trying get geniepoint gave works geniepoint website zap pay didnt work said authorisation error taxis quick charge went right 100 ccs chademo showing faulted cant used wanted charge car took nearly 20min download app website charger wrong register account get validation emails junk mail start charge worked though genie point weird local network work come asda sort says connecting starting charge keeps disconnecting automatically working fine order registered could select comes faulted engie web app absolutely rubbish cant check state charge successful charge available ok chademo good speeds right next door drive thru starbucks opens really early starting charge app doesnt connect charger connecting ih toilets comeon zap maps free 10mth dd according app sign faulty charging useless pile shit charger connect charge nothing issues charger since day installed crap wont get signal charger issue note machine car park locked outside store hours 24 hour charger asda luckily enough charge get morley charger driving past instavolt inaccessible locked mcdonalds car park plans b c ionity skelton lake use cables stolen ridiculous achieved 6kw charging max 50kw happy enough absolutely shocking charger still work reported charging point still service inconvenient reported genie point unit dead power display nothing tried calling genie point gave 12 minutes hold successful charge issues works fine successful charge 241221 asda closed unable get access chargers need 24 hr access showing osprey chareger actually geniepoint good ac 22 charging still power unit waste time support help spoke support charger actually broken waiting parts needed fix months repair date sight still working never even switched chargers working doesnt want connect never works working called helpline said working unable charge phone lines technical issue chademo working reported geniepoint get someone look whilst supposed working couldnt get charge told via email connected 2 minutes 001 kwh also took 8 charge norm machine switched type 2 connected charged 001kwh 50 minutes chademo would connect usual another user couldnt connect dcc washout round working 1st successful charge 7 weeks slow connect working fine emergency stop left engaged didnt help wont start charging ive never managed get one working charged today work perfectly ac socket working others faulty tried calling engie support line cuts 1 ring power unit today machine switched tried charge 5 times without success use asda old lane problems previous comment success charging told engie known problems charging leaf chademo used type 2 failed charge located back car park away building less chance iceing 1 bay vehicles another taxis service 64kw busy sunday lunchtime use 64kw videos fixed chargers use despite longer free oops good 65kw bad 65kw used juanbuck socket b confirmed charge app done seems well yet returned car found hadnt charged 2 ds3 together nice ok working well today 64kw 64kw door dina mack working slow 35kw 4 use though iced good 35kw 34kw 63kw quite busy today first ever charge newly collected car thankfully totally trouble free 65kw 65kw good 64 successful 4 use working working fine averaging 6kw successful charge successful charge never seem get 64kw blocked etron charging might buy ev theyll still park like audi driver good unfortunately parking bays iced right next store entrance people think park regardless socket b working fine dina iced moment confirm charge podpoint app charging stops 15 minutes charged 15 minutes stopped retried charger site juan buck issue reported issue store past little seems done good 7kw used three times recent days worked every time worked 10 minutes stopped charging charged whilst tesco interrupt unlocked car confirm stops charging wouldnt connect charge great free charge whilst taking mother law shopping working idle fees charged couldnt get car charge 3940 37 phone number charger unable help network rail unable help gave went q park cant believe many chargers refreshing downloaded app failed charge said already use tried device 35 36 etc 12 3 hrs parking ev charge plugged got free charge 12 park youre 2 hours working fine using apcoa connect app tried one level 3 reported use already app tried device 24 level 1 went fine app didnt charge carand left open charge session appwhich pay 20p convenience fee close leaving third try device 23 worked fine exactly smooth process make sure app set ready want use takes ages set much cost free period unfortunately payment charging required via acpoa connect mobile app apparently chargers level 1 working apart ones opposite ramp ramp level 1 opposite exit seems like half chargers taped wouldnt rely charger busy periods hopefully unblock soon good concept currently still free charge please note due closure staff car park public parking may limited 181221 070122 inclusive despite quite new used several devices level 3 arent working 1912 payment system place yet plug doesnt work try different one please report faulty one staff office level 2 devices level 1 yet operational nope plug work still free charged issues loads free bays pay parking need card app start chargers plug go free charge overnight aside parking fee course brilliant level chargers perfect location charge plug play terrific set 20 24 hour parking free charging 4 loads spaces used today currently plug free sure long many refreshing successful charge currently free successful charge currently free use operational devices level 3 3 disabled bays level 2 level 1 currently use car park signage car park entrance showing prices socket b unit faulty shows screen socket appears working fine lets start charge disconnects within 1015seconds called really helpful staff restarted unit started charge end tried everything ultimately book eng could see fault end generally zap info date also price wise rate 50p connection fee followed 55p per kwh 1 faulty connector socket cost 35p wouldnt work kept disconnecting contactless needed app didnt work properly first time downloaded quick support call fine second download works fine downloaded app terrible keeps disconnecting appears energised still active 11 july 2022 chargers still use yet chargers working charger chargers working asked gp surgery manager told chargers arent active yet waiting card manufacturer timescale given chargers working site try elsewhere dead dead charges 7kw b work leaf 7kw 22kw looked like charging 5 mins stopped natwest blocking preauthorisation requested 000 flagging fraud despite approving operator unable help free stated actually 50p kwh plus 12 parking day 22kw free need download charge assist app also free get max 12kw chuffed get last tight space free vend 12kw bring type 2 cable works perfectly well sockets seems working 4 x new chargers installed fully operational fixed yet still service hotel states difficulty getting repaired still working hotel say waiting part polar say theyre waiting hotel order 3kw polar hotel charge point charger first corner car park actually evd tesla according zapmap sat charger 9 hours hopefully move soon nice wide bay amazingly wasnt iced despite full car park iced outlander phev wasnt charging wasnt working end august inform hotel polar polar said theyd try get engineer point may fixed updated info add detail thks james please admin perhaps admin could note behind barrier available hotel guests pay extra parking charges vandalised theres actually one charger two looks like used 1115 1078 reason working ok type 2 charging 11kw ccs failed charge wouldnt charge awful service old engie genie working app cannot connect starts okay rfid card successful charge carpark full travelers complete caravan lorrys safest place hanging around charging night charged car hour dc ccs charger note 10 fee stay 70 minutes worked well free free 29th october believe added bonus chatted parking attendant checked whether needed pay car park apparently discretionary said didnt need pay car park fees also support working alsoi 2 charger front car park chatting engineer robbing parts one try get working failed use jet instavolt mile outbound starts charging trips seconds unlisted rapid end car park stuck emergency stop support say get engineer investigate one full working second charger car park tried add map didnt work afternoon machines css connector bagged one side ok side iced difficult taking photo bright sunlight parking free prices partially charged charge rate inconsistent dropped 14kw instead 50kw free though cannot complain importantly works didnt work couldnt connect charged yestrday ok chademo ccs charged ok 22kw charger gave 9kw 65 minutes service situated little bit sight app doesnt seem work charging okay 20kw successful charge free use need sign account need smartphone charger oposite emmerdale studio experience successful first time charge charge point available available wont connect trying charge charger says use isnt trying pay via zapmap app reckoned ccs already charging chadmo charger used dont know impact finally able charge rfid card full working order good workingcharging charged far reduced rate approximately 17kwh works great cobwebs charging 17kw successful free charge 493 kw gravy stopped 5 seconds good max 24kw wouldnt work even engie engineer restarted 2 hours 9 mins 22kw charge ouch start charge plug 22kwh got 8kwh connecting fails charge working couldnt make work made right noises car showing charging fault also car park home travellers moment problem 70 minute limit working well traveller site moved charger accessibly still blocked caravans travellers site confirm people leisure centre blocking charger covid around wonts charge way kids running around unable access car park turned gypsy camp caravans blocking access iced surrounded caravans unable park get access charge point charging free 75 minutes successful charge ccs first ever newbie ev owner working chademo kept cutting reported free 75 mins mixed glass paper recycling working perfect charge star genie point app working got working using zappay working looks like one designated taxis eng01112 one designated public use eng01113 use either via bonnet app eng01113 available geniepoint website strange full 50kw actually eng01112 eng01179 sure says used bonnet app get 50pkwh amazing whole car park closed filming crew working fine working fine charger working fine someones got id wrong machine theres 2 3 like shows app working ok whole car park full camera crew cant get chargers working perfectly two rapid chargers three access charging point due filming vehicles taking full car park access due filming vehicles taking full car park access due filming vehicles taking car park hasnt worked weeks customer service totally disinterested charger blocked one never working bloody rubbish failure connectgeniepoint constant problem wouldnt connect network wouldnt charge machine frozen responding charge unit frozen unable initiate charge either genie bonnet app sat whirring away like bored dalek still connecting network tried port said unable connect working working working seems connection working moment talked drivers havent able connect devices really poor one 2 spaces available seems allocated taxis working working managed get charger busy day said working wasnt crawl leeds get one way home start charge signal reaching unit genie answering phonecalls report issue unable charge type 2 charger morrisons yesterday reason working yolo charging touch screen working registering charging neither one morrisons car park service touch screen working iced bays blocked non electric also single geniepoint charger x2 osprey nothing issues geniepoint avoid would connect charging logged times try clear luck working showing 2 osprey chargers single geniepoint formerly engie got 23kwh 80 full fast charging unable charge chademo working well screen said ccs unavailable still unavailable fault noted engie good working good charge 47 kwh issues good first ever successful charge 6th attempt various evs nearly didnt bother trying today glad working perfectly made noise didnt work wouldnt initiate charge tried multiple times working fine tonight usual result charger doesnt kick properly eniro engie work fine horsforth always call engie helpful able start remotely either good today working fine wouldnt connect via web app faffed around eventually started charging machine webapp didnt say charging consequently could release emergency stop first issues ive one nothing wrong use arrived customer service reports multiple people charging successfully ccs ac unserviceable ac service connectors working type 2 temporary unavailable apparently working service engie issues today usual stops 5 seconds connects charges second clicks compatibility issue guiseley yeadon ones work absolutely fine never yet managed successful charge seems fine chademo simply working unable connect requires emergency stop couldnt ccs charger use another good charge never issue maybe makes car dont like cvs combo working started charge almost immediately stopped tesla reported equipment ready kept tripping tried disconnecting resetting 3 times good charge approximately 20kw added half hour easy use swipe bank card broken really hit miss charger moment unreliable charges 5 seconds stops problems doesnt ramp start charging worked last week called engie spoke helpful lady luck machine reset etc tried holding charger remote charge still failed engie monitor week see doesnt work send someone seems worked fine combo yesterday someone unsuccessful charge type 2 40 minute charge job chademo type 2 attempted second time charge unsuccessful turned tried today 1807 morning seems working 36kw per hour instead 4550kw least working worked last night around 6pm managed good charge 30 mins tried morning issue beforestops charging within 30 secondsused app engie card tested type 2 30 minutes seemed fine chademo seems ok connected fine good speed 42kw ish still cant get ccs work ongoing issue weeks starts charge immediately cuts type 2 connector working ok egenie card probs working looks like working showing green light still red app still working reported service egenie aware stated comms issue device estimated fix time given tried ccs type 2 dead car didnt even register plugged car charged fine later another location looked fine charger app reported error rfid accepted started charge came back charge weird device working faulty power device still offline engie app website offline longer appearing engie interactive map terminal area service theyve like weeks cables missing one please get fixed switched screen blank rothwell marsh st well whats going good part genie took ages work waste 40 minutes phoning downloading app registering setting payment working 2 long unanswered calls 8 attempts rubbish says available help ev box took couple goes get started good using geniepoint rfid card cable cut order cable cut issue rothwell marsh street carpark geniepoint unit cables cut fast charging ccs chademo cables cut vandalism suspected reported engie ok charge type 2 cable cut great charge really interesting chat guy charging ev next us ryan company fit charging points solar short rapid topup today get marsden back working well good quick burst earlier evening 30 leaf accidentally closed app phone couldnt get back red button stop charge reset ok good location j30 charger working fine loos available leisure centre passed site thurs 14th caravans gone tidyup underway 4pm carpark back normal use carpark full travellers caravans vehicles charge point appeared caravanned wed 14th april 0845 would appear connect charge drawn support rebooted still shows error went marsh st car park successful charge good afternoon 30 leaf filling fast milder weather app needs help still need press okay connect machine using weds 26122 good 30 leaf apols late reporting good 30 leaf albeit little slow 43kw fine last got engie chargers working using rfid card good midpm 30 leaf quick top busy week ahead good earlier evening 30 leaf good ac 22 good afternoon 30 leaf im using chademo engie website shows ccs use wasnt guess way saying ccs occupied ie available used dc good earlier evening 30kwh leaf wasnt working called engie got straight reset charger working working closer 40kw still decent pace someone using 50 22kw like 7 top miles nissan leaf hogging chad nontaxi bay pays check machine see long someone charging arrival theyd 45minutes 2030 mins later theyd reached 100 target charge fortunately machine shut chad allow ccs charge risked taxi bay 47kw rate car machine putting good rate morning left 15 mins leaf still plugged inpoor show could get darn thing work usually okay called helpline announcement said engie currently problems connections resorted 22kw ac socket working successful slow started approx 64 charge max rate seems 25kw good successful slow started 29 soc speed 46kw dropped slowly 40kw 4050 soc remained reaching desired charge 90 new charger 18c ambient getting 4850kw etron seems like engies around slowingthrottled first ever charge smooth account set ccs working fine limited 30kw working mention starting charge engie charger newer little different others region connecting website look like connecting car seemingly doesnt clock counts look charger asking authenticate clicking ok click ok connect start charging good charge 48kw issue taxi space next dc ccs cable fairly short park etron angle get cable fit working well today ccs good sat 22nd may 30kwh leaf free good planning notices display 2x air source heat pump roof solars sports centre unit working great free seems slow average speed 25kwh 25 75 good today followed engies advice follow app instructions switch machine instructions connect told urban terrorists quads scramblers roaring around helmets numberplates regard road users hurtled towards leeds easy see a642 unlike bp toby carvery wouldnt initiate charge either via rfid bank card engies web app machine month old worked ok last week 30kwh leaf still power worked good perfect abit slow another car charging unable use car plugged ccs charging apparently finished charge 50 mins ago returned locked car unable connect using zappay hope havent kept fivers charged free anymore expected top first instead charge card account poor show really charging 042 per kwh 22kwh works nothing else plugged someone uses 50 ac 7 working working good faiing boot last week good wouldnt start charge working 290721 still broken red app learned never use site desperation gave one shot cable got stuck charge stopped 30 seconds helpline working wait 20 minutes disconnect ever say im going stop need app use stops charging minute charge cable stuck wont connect ccs finally working wouldnt connect first engine website call support said tap credit card start charge fixed working remains order raised west yorkshire combined authority say engie responded advised reported christmas break feeder pillar damaged knockedover northern power grid disconnected dno connection make safe apply another dno connection unfortunately take number weeks expecting come shortly point book workin reinstall reconnect contacted office reply distribution network operator dno confirmed expect problem rectified july earliest dead doornail use followed engie received response looks like theyre waiting parts currently waiting parts arrive manufacture based france parts held customs receive parts arrange engineer attend rectify issue aim get charger back running quick apologise delay still still service went today change installed still service still service someone driven fuse breaker box os offline needed call engie reset box tried start charging failed time reboot done fine charged morning working fine dont mind puddle bit slowcharged around 30kw apart large puddle negotiate working fine called jeannie said hes faulted couple weeks theyre sure going taken completely repaired guess keep calling see working reported engie said list fix covid restrictions means days offline red getting 20kw ccs even low soc normally get 40kw got stuck ted light stays even multiple reboots good bit nightmare chademo locking car get engineer switch main junction box rebooted would cut working great rapid availability ac working slow charge still working engineers taking action hour fitting meter website currently glad card went charge 75mins allowed 75mins gets 10 overstay charge long enough make effective im stopping hoggers yet feel time limit stringent big puddle good working great free charge great charge working great didnt use ccs broken good type 2 first charge new free next 2 years great work councils engie charged ccs fine lead bit short parking car bay quite well used one 75 mins limit never wait long turn previous comments chademo lead found lead unhooked loop going round back charger reach left hand bay leave without charging tried 3 times said connection didnt start glad alpha 2 mins away painted signs floor two bays one right taxis problem chademo lead long enough reach leaf parked left go evengiecouk register online charger call link rfid card debit card account money taken long charge 75 maximum time limit need use charger app need member club used chademo several times difficult get register card screen wet also length bay short leaf see pics discovered damage rear light cluster charge beware 3 time ive tried use charger unable due non electrical vehicles parking bays install charger mark bays put signs works chad dark car park aware kerb turning good ac 22kw socket cable needed parking free hidden entrance charger takes 3rd parking space clearly marked changing bay temporarily unavailable fast charge via zap pay machine supports one time two parking bays though one bay occupied nonev first arrived despite app indications fault worked seamlessly bonnet app capped kwh currently saying chademoccs unavailabletype 2 wirking zap pay didnt work charger last night wouldnt connect use geniepoint app good problem machine working completely dead didnt like bmw phev plugging 7kw cancelled charge would start back good start charge web browser instead app charger didnt show first time charging away home cannot used charge keep showing 0kwh 50kw charging 35kw shouldnt complain though working today ok action lot recently good full charge tonight working reset started charging stopped contacted support reset ac charge finished good managed successful charge tonight pretty fast managed successful charge tonight pretty fast working fine charging app back working taking rfid cards wouldnt work app device appears working green light lets swipe rfid notionally starts charge power delivered wouldnt connect tried rfid app cant connect neither app rfid work working charging type topped easily went shopping car topped delivered 9kw hour 2018 zo im currently using sure cable though great location charges well full charge 50kw cant grumble charge wait 10 minutes good charge getting popular good charge car park getting busier successful charge well done ev ownership helping happy cable returned owner thank much wine great week anyone lost cable stuck type 2 socket please message return owner vaccination centre wouldnt connect reported engie confirmed theres problem working great charge unable use connections due test trace using car park informed engie disaster 10 miles youre battery web based add short cut button phone iphone save log details think web based one app web site isa hrefhttpsengiegeniecpmscom titlehttpsengiegeniecpmscom targetblankhttpsengiegeniecpmscoma please tell app need get iphone searched app store engie one saw italian worked fine stopped someone connected type 2 connector restarted correctly charged 1 hour 10 minutes 50kwh wait 5 minutes someone finish working fine chademo starts charging repeatedly cuts 2 seconds worked 20 minutes rebooted whilst charging one parking spot regular cars use engie website connect hi thank feedback information charge point updated reflect postcode incorrect ls4 2bl ccs charge point works contactless long follow instructions screen left side charge point follow instructions panel bottom right screen accept contactless payment waste time available charger seems work rfid card app linking helped though petrol cars parking electric bay leisure centre rfid works ford pass failed connect network wouldnt get past initialising stage spoke technical twice couldnt sorted try rfid next time one straight probs ive seen people charging thought must way used rfid press button top left present card used electric juice electrouniverse stevemgzs notes cat register rfid card youve got geniepoint account might try next time good charging speed none connecting avoid could use charger tried registering entered payment info confirmed email address never connected start charge tried type 2 connector well issue unable charge via zap bonnet contactless dont rfid either total waste time anyone would tell managed id grateful straight issues nice big parking spaces saying connector available rfid card mobile connection charging unable connect reported geniepoint require rfid card app red x paying contactless doesnt work unsure zap pay app works doesnt take card payment doesnt connect zap app cables short works rfid card mobile signal would begin charging fans whirring away hot day unable start charge ccs yet still working case two weeks register random rfid card possess eg bank card loyalty card geniepoint account gp machine support help follow instructions available website app tried charge using bonnet geniepoint apps contactless showing unavailable option showing raid card dont poor show round called support says wont connect network 3 weeks running ccs 22kw ccs 50kw working contacted customer services eta repair working mobile lead long enough chargers back passenger side still mobile connection say aware looking rfid card works mobile signal started rfid ok wont connect app wont connect months faulted although unit appears power answer helpline charging either place horsforth public network joke accepting rfid card awful charger tried 3 times never works shame managed start using rfid card app would start charge middle car park lighting around instructions illuminated need torch charged using shell recharge card intuitive process compared geniepoint chargers round leeds another connection failure unable get helpline doesnt seem accept rfid bank cards app doesnt connect didnt connect ive tried several times never connects seems working rfid tokens cables short cable reach car park taxi part another fail genie new charger working straight away existing genie account quick site poor took get going fails connect regardless connection chosen times trying link machine app website spent 15mins hold gave screen machine says tap card doesnt acknowledge bank rfid card using kia connect siemens chargers south tyneside always offline similar connection issues confidence one shame handy dropping kids expensive charger doesnt work spent 8 despiser spent 10 minutes registering account vain one two bays closed barriers multiple attempts connect 50kw ccs failed charge received 8 retainer charged 7 day refund policy tescos roundhay leeds waiting rapid charge average 160 miles per hour 50p kwh problems b working ok doesnt show charging main pod says connected app charge every little helps says esrop find another need full fast charge trip leeds london someone left ccs error code really inappropriately placed post parking spot ok reported multiple people including keeps saying ok error connecting reported pod working good working reported via pod app rapid use err message ccs charger unresponsive used morrisons harehills charger less mile away worked well great charge tesco charges reasonable 28p per kw cheaper domestic faster sure understand people complaining new charge also hopefully stop twats sit day getting free energy dont even spend penny tesco 67kw video oops 68kw ccs working 43kw confirmed charge app done seems well yet return car find hasnt charged started 11kwh nice top shopping started 11kw later dropped 59kw reason 69kw 67kw good charge successful charge socket b 67kw socket working fine successful charge jeanorla b 68kw great charge 22kw got solid 114kw charging 2 hours good location many reasons however sure get early connectors get filled vquick 69kw 36kw today worked pulling average 63kwh shame really successful charge successful charge using contactless charger poor location ok rlhfrh charge ports poor ipace park angle drape ccs cable across bonnet ideal worked great place charge free parking reserved charging 69 kw 68kw good good ac 22kw works hard access parking spaces almost impossible enterleave large cars parked spaces opposite also located main exit route car park getting take 68kw 22kw unit able get nearer 77 theory 69kw best podpoint change ive intermittently switching initialising requiring car unplugged reconnected missed 2 hours charging great charge 22kw charger works currently free get 12kw 22kw charger untethered 7kw initially showing pod point app limited 15 mins working fully parking limited 3 hours charge 11kw limited car bays yet marked recce visit ev late april 2022 eassist folding bike hybrid im told legs plus variable amount assist 05 info panel late april 2022 taken late april 2022 club marking bays shortly projectev app required cafe temp closed due covid behind oulton manor care home successful ccs charge stolen cables replaced successful charge ccs pulling around 40kw problem rothwell sports centre geniepoint unit cables deliberately cut looks like metal thieves around rothwell managed get charge bannatyne gym wakefield bit expensive instavolt reliable wires cut fast charger service doesnt seem working still broken dc broken service reported doa display working drive around bit find right entrance exit go right round get log creat account get verification tried 5 times get account app instigate charge eventually made chargers need alot straight forward simpleit hard contact less quick charge easy quick charge point using app started 45kwh gradually slowed cut 20 minutes great paying premium price juice works seems charge 30 car cutting charged 25 suddenly stoped charging due turning car waiting peaking 45kw available charger fault working working bloody working weeks ccs type 2 faulted says genie point site working week working small parking spots big car charged fine directly app contactless facility functioning ok using gp app despitr slightly glitchy handshake contactless working near entrance charge bank card charging slow 50kw failed charging attempted 22kw worked ignore wrong location longer free use 023 pkw ok isnt single high powered charger 6 available conection problems took 4 attempts successful charge chargers seem always use working problems today would connect screen still broken ridiculous amount time sort screen still broken moron smashed screen meaning use also says 2 rapid chargers one screen broken someone smashed screen cant see use looks like brand new box charged hopefully using first free bonnet charge tried fordpass rfid card didnt work wasnt alternative option pay credit cardapple pay option crossed payment panel went charge geniepoint armley leisure centre instead got 50kw ccs problem new machine unable make work faults seconds use weeks come geniepoint power machine blank pulling 18 kw 50kw charger pointless gave used instavolt nearby 22kwh 40mins chademo success connected charge started automatically cancelled within 1 minute tried twice thing happened fast charger worked today 50 charge 69 minutes service register first payment card evengiecouk good first time working well 17kw 30mins good charge delivering 42kw starts looking promising charger resets charge car bill failed deliver charge x2 still charged 16 2x 8 connection fee answer customer service number avoid tesla model 3 active account used ccs charger via geniepoint app problems lot whilst charging using leisure centre drinks vending machines entrance got 45kwh speed 75p per kw used genie app pay bank cards accepted good wont charge machine reset still wont charge taking cards 46kw iced price screen shown 042kw could old display price 057kw fine charged using app looks like new box installed recently good charge using app ev charger working staff member informed reported 2 days ago normal geniepoint living obligation repairing faults managed 2526 kwh charge otherwise straightforward successful charge sat 8th jan good fast charge one expensive ones least works using genie point app 3rd charger 2days show osprey even though still marked geniepoint successful charge 3 days ago unit working morning running full unit still working touch screen working properly chargers available engine call centre said network issues may affecting points charging around 7kw 22 dc working type 2 ac working 22kw connector working fine topped popping leisure centre per previous comment wouldnt stop charging emergency stop wouldnt stop website press emergency stop none working charge worked cable short stay inside bay successful charge using engie rfid card successful charge working took 2 attempts start charge charger working still completely dead still completely dead waiting replacement parts apparently still working red light showing machine engie site says ac available connectors charge 33kw car charger problems full charge free use rapid ccs charger device free use register west yorkshire combined authority websitea hrefhttpsengiegeniecpmscom titlehttpsengiegeniecpmscom targetblankhttpsengiegeniecpmscoma activate charge via website phone using engie rfid car worked first time ccs rapid charge using rfid card via web app free use didnt want stop charge app use emergency stop button happened chap well put covid test van elsewhere car park rather across charger good today covid test centre blocked charger day good today new version iced covid tested set covid test station across chargepoint transit van parked across tables around said 4pm today idea return tomorrow find morning doesnt always work first time persevere also didnt release cable end charge sometimes use emergency stop button wouldnt release press emergency stop button releases known problem straightforward charge charge connecting car tesla also trying use took three attempts fourth worked fine engine reset charger worked fine first time charge 24kw average cant complain nowt semisuccessful charge tripped 83 chademo im starting think charger doesnt like omararne unit possibly heating keeps dropping 37kw parking reserved recharging shame theres often long wait due non ev parking showing available clearly non charging cars allowed park device called omar arne doesnt show podpoint app iced 3 mihr good thing wasnt desperate 3 sockets working connected podpoint app iced per charging 6a useless one four connection points working iced per spaces iced usual socket ok socket b dead longer removed connector works omar iced least 40 time theyve taken unit completely four charging points one working point good job omar working wish aldi would get jean going would bring much needed diversity aldi charging points one four working achieving 7kw though 4kw better nothing still broken one four charging points working three order ages submitted report back february 34 broken 4 bays 2 chargers two sockets one charger totally order doubleiced poor service use b side working great charge 24221 red light working red light working used problem omararme okay bays occupied ice vehicles wouldnt let charge free one available 3 iced four back working although 2 slots parked ice four back working although 2 slots parked ice fenced guys working drains around chargers spaces taken vans form work spaces worked fine however bays full ice vehicles wait one leave sure bays arent marked ev every single one four iced case almost every time visit point providing excellent charging points evs cant actually use charged m3 succesfully connector b good bagged last slot range rover plugged hasnt claimed charge 2 slots iced busy signs managed get connected charge though bats occupied ice cars lady panting approached offered move signage painting say restricted cannot blame people obvious two bays iced signage poor iced arrival one owner getting back car doesnt look like theyve painted parking bays put signs obvious cars parked bays signs saying tho 4 charge outlets 2 posts theyre always iced think box ticking aldis green credentials thwy interest making least one bay marked ev charging thus customers park without knowing ignoring charge bays ive stopped shopping principle possibly worst placement ive seen 4 years ev driving 3 4 bays iced surprise signs markings squeezed spare bay find ground around charger muddy bog gave moved hi james thanks update devices mentioned removed zapmap admin please delete devices 1 2 dont exist 3 4 bays iced 4 iced car park even full every time ive looked 4 bays iced bay markings signage parking attendant didnt even know ev chargers site working fine posts installed powered bays devoid markings yet iced unable test concrete pads cable ducts installed far groundworks installation started morning chap said may couple weeks things running driven round full car park cant see charge point anywhere nothing yet spoke store duty manager today confirmed points cards didnt know theyd installed wouldnt hold breath sign groundworks yet charge points recently installed due commissioned next couple weeks dont exist never according aldi dont exist please remove map quick easy affordable good easy start charge app downloaded reasonable price 30p kwh 7kw 22kw advertised good easy use take card cheap good 30p per kw via chargepoint app chargeable good chargers 7kw 22kw mentions chargepoint clearly says charger speed 8kw ev driver speed 7kw chargepoint map says 30p per kw free set 22p kwh 20 vat new 7 kw chargers installed free vend via charge point app 3 posts 6 sockets new chargers installed free vend via charge point app new charging bases place sign charging units yet looks like raw charging operator new charging bases place sign charging units yet looks like raw charging operator advised longer use used lh charger phone security key took 30 minutes needed charge needed key disconnect security guard said theyre replaced paid units next week 1 even though bp pulse post nothing installed 2 need call security office 07773165771 unlock waited security unlock works treat security rang number needed ring release cable good charge shopping lunching still service asked security still sign unit went see security turn charger told unit working going put order notice bppulse app need ask security turn key normally starts charging turn key dont need usethe app found app cannot use pulse card waste space number enter app work used side worked ok successful charge get security unlock cable left hand socket face charger road security said side reliable releasing cable showing bp pulse app theres way start still order sides still order image charger charge socket 1 using device n11102 locked cable call local security unlock cable number shared another user 07773165771 one side charge blue light turn green side charges ok locks cable security office locked phone number call warning cable locked phone number call ask release cable 07773165771 blue light shown unit key needed activate found security guard key didnt want mess bit dodgy kept locking cables apparently engineer due visit next weeks bit joke management suite accessible contact numbers little encouragement come ev future post showing blue key access try finding security good luck hi would correct thinking bp pulse rarely come charger cp management hold key simple method rectify cheers free use need ask security staff switch charger card reader charger key free use need ask security staff switch charger card reader charger key register network add funds account fail says iced thought supposed free connectors showing blue lights operating leads connected reported bp pulse wont anything anytime soon theyre free chargers raking profits useless charge point socket 1 worked fine difficulty connecting socket 1 time eventually vehicle started charging nearly lost bp still attended socket 2 joy one connector 2 making connection shows blue lights dont go green reported bp pulse supposedly sending engineer reporting charger 26521 working perfectly fine 26521 charge started stopped 3 minutes came back car post longer illuminated either side reported charger bp chargemaster reply charge point number 11102 maintenance investigation back use soon possible magdalena kuro customer care advisor 03300165126 magdalenakurocom bp pulse breckland linford wood milton keynes buckinghamshire mk14 6gy used right hand bay plugged made way office key mentioned comments one car charging return leaf left hand bay wasnt charging dont know though left side switched would work car maybe left socket loose fitting right hand side switched use socket lock cable way release get security staff switch charger left side switched right side switched works go management office subway ask key come turn key car charge asked put sign bp pulse idea point new bp pulse charger sides red light key sockets covers called bp could find system still use emailed crown point facilities manager got back state ev charging posts need fully replacing cannot fixed looking alternative options mentioned podpoint use still switched covered black bin bag chargers still used covered still working covered black bin bag borked working still working notice advising reply crown point thanks getting touch bringing attention ill pass message onto facilities management team look matter urgency thanks kirsty order working connectors still order working working unfortunately working lights nobodys home neither side working quick topup shopping good good way fast ok top shopping successful charge free 2x bays 32a sockets located left hand side mothercare good sides working great little charger successful charge success around 330 pm sunday good sides good working free working working im convinced open public great high speed charger right needed parking spaces quite narrow though screen didnt work busy successful device damaged longer holder put fully working easy use app successful charge charge around 40kwh 120kwh charger believe varys different car batterys much charge take one time immediately reported error picking charger even connecting car great 120kw charge usual new instavolt chargers make sure authorise app connecting cable car works fine full charge hour 37 use 55kw 100 nice easy thanks instavolt declined every card tried 6 plus app wouldnt let add declined every card 6 plus app wouldnt let add card either successful free charge 67 kw starting ticket people staying onsite using facilities due complaints local businesses people parking day 4 bays one blocked nissan leaf fully charged frowned upon disconnect fully charged car terminal holding bay b working today located back taco bellfive guys currently service perfect charge drove past first head back see charging didnt charge moved another bay one worked immediately pod point app shows 28p kwh days clicks red light corasven today charging bays narrow tricky park easy find fairly cheap good spaces tight trinity started charging certain days need credit pod point account 13 chargers amend directions say something like level 2a 4 ramp level 2b 3 way ramp go level 2a 6 chargers charged twice past week times worked perfectly definitely free cheap evening parking spaces narrow tough squeezing two sidechargerport cars doable tight spaces car park painted green podpoints fitted disappointed level 2 easiest access lift accessible spaces interest new chargers set wider bays original ones original ones tight standard car parking never mind ev charging 3 new chargers level 2b new chargers 4 level 2a works also installing another 9 chargers 2 next existing ones 4 next bank level 2a another 3 level 2b levidion still order thankfully chap using ellejane turned left phone pod point levidion dead fortunately able move owenerin light charging successfully light connect customer services werent desk try let know spaces tight doubt car charge port front get left space got 30 63 2hr15min approx 16kwh extra charge top extortionate parking fee 7 park city centre one available park tight spaces good option quick easy free charging available parking charges apply level 2 go level 3 round ramp get add level description level located please charge points please also bevs wanted charge bays full evs charging need chargers car park charge units located centrally rear bays narrow cable connection awkward excellent like users pointed spaces bit tight side perfect charge still free charge one four spots available sat 5pm working perfectly stayed travelodge 10 24 hours parking full charge bargain perfect level 2a download app parking charges free need pay park great service 4 park overnight free charging think 5pm 5am stayed till 9am expenses worked charged fully totally agree previous comment narrow spaces particularly unit right wall building reliable charging point free use city centre good price 5pm 5am good charge spaces really tiny takes bit care squeeze avoid cars cables would made sense give us couple extra feet space hi parking charges site hi thank feedback location charge point updated reflect admin location level 2 right next ramp level 3 good bays could wider though successful charge free cost placement devices awkward centre parking space stretch plug parked bay hi thank feedback information charge point updated reflect admin received email pod point say device 1 remotely reset fixed connection issues replenished miles used get leeds back 66kw starting 10c taking battery 16c 50 mins worth charge added connected ok wouldnt deliver charge 0kw moved next charger ok reported pod point via app 4 x 7kw pod point chargers new chargers fast old ones still free charge commit charge app iced started perfectly cmh card getting 40 kw near freezing weather works porsche ionity cards accept credit debit card fast chargers work fantastic 3 phase managed 11kw solid pretty terrible delivering 35kw past 2 hours charged 21kw 25 hours 120 miles charge c13 faff easy use basic speed live nearby would rather pay 40p slow charge double supercharge easy charge signal shocking car park need use app spaces taken council vans even charging plenty chargers shame mainly taken council vans bit slow another app load top intuitive charging unit mind coming tonight like ice rink pay parking charging problem though rapid charge 37kw access car park little strange tight concrete chicanes place plenty chargers available successful rapid charge got single figures range local rapids either use broken max charge rate 38kw charging 48kw great lots spaces reasonable pricing wed downloaded app charging simple quick changed may paid 39p kwh 7kw chargers free charger 17 rapid oos working working new ones working well consistent 47kw pull throughout fixed morning chargers repaired fully operational 220822 appalled like rest us service stourton park ride needs logging customerfeedbackcagovuk please log compliant change issue expensive kw impossible use become redundant nobody uses means machine open abuse vacant time early late hours nobody night watch charges scare away bad guys leeds council finest cordoned charger doesnt support contactless seems require signing direct debit agreement dutch website much phaff 56kwh 54kwh started bonnet app saying ev connected little bit messing around app successful charge end brill charge always charging well 55kw ccs charge feels bit weird pulling office car park though iced long cable let charge parked close range rover nice rapid charger bit cramped 2 dpd vans charging screen front rapid cable reached successful charge alpha app still issue zoe emailed alfa power 2 22kw posts site though work fine charge starts immediately stops tethered lead socket another successful charge couldnt get ac work zoe 43kw 22kw socket threw error couldnt fault guys alfa came got charging one 22kw posts going look unit isnt working big thumbs charging well remind charger outside office accessible 247 charge four evs given nearby supercharger tesla drivers ccs chademo adapters welcome visit use tethered ac albeit max 22kw whereas ccs 60kw little sandwichcoffee shop bridge street 5 mins walk away observed open morning happy charging folks confirm charger open accessible covid19 ev drivers whose journey essential excellent charge model3 maxed 54kw coldish battery 54kw ioniq rapid little busier normal today due alfa power open day people passing wanting quick charge may prefer visit victoria service station shell mile west alternatively join us exceptionally rapid charger location great walking distance asda superstore local shops first time able easily get charger anoth ipace staying also stopped charging great quick easy charge 2015 nissan leaf thanks alfa power fast charge easy use excellent unit gave 60kw easy use ls7 1dh wasnt available use friday anyone know post code 100kw alfa power station advertised nwesletter want try ipace good fast charge chademo issues except leaf manager app told car stopped selfrestarted returned car good company 90d two ipace se two new leafs lavatory available office hours rhat fast ok charged around 35kw maxed around 40kwh use bonnet app get work app doesnt work android dont rfid card contactless didnt work either avoid aa decide park front charge point helpful charged 29 kwh refused allstar card worked star ccs wouldnt charge properly speeds pulsing around 1015kw disconnected didnt bother aware theres new app required charging charged fine quick call cust service charging 34kwh took couple goes get started started cut minutes tried several times stopped taking allstar card limited 35kw 100kw 35kw 100 kw giving 32kw best shame charges less 38kw supposed 100kw power unit charged ok either one rfid cards app cant use contactless payment power unit electric juice card recognised download alfa power app start charge also tried calling use card went answer machine sure anyone answer weekend pulling 34kw good worked fine 40kw despite low soc best location lorry unable get end pump without moving first time using call assistance app really helpful really quick charge good cvs charger isnt connecting 1st sussesful ccs charge testing new car regular user charging 330e point today returned find windscreen basically stating id stayed welcome relevant signage anybody know charger reliable ive used wont using lucky long leads able reach 2 foot pile snow front charge unit thank visit charging another 20 minutes good usual another app collection cashier key bog clean lots wagons charger visited sanitised member staff bank hol weekend tested fine frankies burger counter inside reopened toilets may still closed however confirm charger open accessible covid19 ev drivers whose journey essential understand forecourt shop remain open frankies hot food counter ive got app scan qr code machine enter detailspay like confirm camera catch iceing time limit customers using rapid charger middle bay good charge bit awkward spot wagon couldnt get around leaving pumps otherwise great stopped charge first time got app started charging type 2 43kw reason station started 21kw dropped 18kw zoe accept 43kw started 18 car limited app station showed 43kw connection use tried calling support one answered 30min slow charging went find polar rapid also camera pointing car bit intimidating hi thank feedback location charge point updated reflect please also amend location charger make easier find zapmap please amend 40kw rapid present unbelievably rapid charge convenient location grabbed quick drink spar waiting quick free top fathers day thanks alfa good charge like 40kw ccs chargers chance mature like much come alfa get deployed otherwise thanks brill charger use ac dc time charging well used charger way home ikea didnt need wanted try new vendor worked well although seemed bit slower instavolt ioniq bev got registered app installed within 5 minutes pump ill happy app stays reliable back nice convenient location sadly charger blocked arrival boy racer new r32 golf luckily returned car left straightaway literally dozen free spaces could used seems growing trend uprising evs dropped quick charge hitting m62 nice clear display charging 39kwh post code site satnav takes actually past shell station aware successfully charged zoe twice wed worked needed use app initiate charge fast charge easy use quick chademo charge new rapid pump back shell filling station hgv pumps couldnt download app said country available still working difficult find couldnt get work impossible find app website link broken tried phoning went voicemail may work scan qr code rfid card couldnt work really struggling connect pay via app wall box says charging car doesnt think avoid charger useless grounding fault charging grounding fault charge disappointing call alfapower manually start charge app working expect updated app 7th september cant start charge still last night still dead tonight unit dead called alfa know planned work max speed 38kw cut working hard find behind building picture successful ccs charge successful ccs earlier evening good checking etron app successful charge delivered 2nd attempt dodgy area one bay blocked building materials homeless people shooting little bin store next avoid especially dark building materials one charging bays homeless people drugs bin store next avoid unable charge shows completed charging straight away contacted support tried reset said engineer required got max 39kw 60 kw charger back operation working fine supermarket building site adjacent works done necessitating power turned status zap map stops red mean back normal call us 0113 335 1765 confirm short charge test rapid charge new leaf 8kwh 10 mins drew 33kwh peak rate 89kw one unit stored power power output may well first new zoe visit us understand max dc charge rate 46 seems okay hope see getting 45kw ccs new zoe thank visit rapids nearby either faulty inaccessible arrived 1 good quick reliable charge always thank alfa power dogy area charges fast issues confirm charger open accessible covid19 ev drivers whose journey essential thank visiting sent email stats ambience improved building project progresses happy charging easy use via app audi etron drew 33 kw 24 minutes peak charge 89kwh first public charge hope straightforward slightly dodgy location wouldnt keen night strange place rough area lock doors juiced pace pretty quick watch screws broken glass floor entrance car park moved could see thank visiting come back one time almost empty see baby really think record ipace 79 kw charging rate charge successful strange place charger level supposedly 100kw two derelict buildings achieved 50kw jaguar ipace 55 80 though fast enough successful yet another app u load though friday morning ipace ccs connector issue reported ccs failed etron clear reason reported 70kw speed 2 ice drivers making access difficult hv ground fault prevented charging also 2 ice parked making access difficult nice bright lighting car park great super rapid charger really odd location tucked round back dodgy boozer derelict marked 3 bays sign saying ev penalties enforced states 100kwh ipace managed around 60kwh bit building site whilst pub worked working fine charging station frequently iced inconsiderate aholes park derelict pub car park thinking free use alfa power really need something otherwise great charger getting worse loving new floodlights monitoring cameras i3 limited 50kwh charge css worked fine download alfa power app qr code doesnt work didnt work first e golf phoned customer support reset works fine 38kw works perfectly used plugsurfing rfid tag experiment worked problems recommended especially car capable 50kw charging charged ipace 82kw around 30 45 charging great ccs peaked 77kw still getting 57kw 66 extremely fast charger great convenient location commute working fine free vend 10pm got great 58kw charger little hidden well lit thankfully excellent charging point good pricd easy use worked well shy 80kw ipace working well expecting 45kwh 73 great charger super fast always works first time never wait well worth 25p per kw nippy little rascal charger easy enough find sadly i3 would pull 46 kw compared 100 machine offer nice fast charge 70kw ccs hyundai ioniq charging kona like champ cobwebs chademo ac charger one place iced achieved 78kw peak hyundai kona although fossils car park real icing charged fine contacted alfa inform charger doesnt terminate 80 chargers car set battery saving mode charger throttle charge ok charge 100 stops ok couple days ago seemed empty dont know cars belong builders nearby charging ok 25pkw starting get iced longer iced charger looks ok two cars icing moved far side allow access parking bays still tight squeeze charging k chademo spoke alfa power said calls iceing something great phone support even saturday night first time charging using alfa download app ios android app store register account register card isnt contactless payment second space iced black audi working perfect mostly iced one iceing vehicles crashdamaged looks abandoned others frosted obviously left longterm office hours parking restrictions clearly unenforceable rapid looks alive though one space wrong side car squeeze get charge iced managed squeeze hope apply 100 penalty charge car park floodlit evening bad nice machine clear screen instructions 4 bays clearly marked signed 3 iced worked chad didnt feel safe im 6ft tall 20 stone ladies particular please stay safe 2 3 marked bays iced little confusing find post code esp night turn bristol st go right end street dog legs right turns henbury st need go straight ahead hidden right mis bristol st take next left benson st left henbury turn right got leg good speed charge good charge rate close 70kw ccs hyundai ioniq electric adding second photo ioniq successfully charged 100kw ccs connector fastest charge ive ever display showed charging 67kw peak might car limited since cold day 5 deg c overall 23kwh delivered 24 minutes user commented got 43kw kona think thats kona take 50kw max crazy design decision given got bigger battery ioniq
Print all of the positive comments.
j=1
sortedDF = dataFrame1.sort_values(by=['Polarity'])
for i in range(0, sortedDF.shape[0]):
if(sortedDF['Analysis'][i] == 'Positive'):
print(str(j) + ')'+sortedDF['comments'][i])
print()
j = j+1
1)Charged via prior appointment only whilst visiting client on site Very useful facility to have for destination charging 2)All good Hard to find its next to Tarte Berry and Leeds Karate Academy On site cafe closed all week though 3)Successful charge and successful coffee 4)Great place and people 5)Id like to assure you this was a temporary issue caused by our recent server migration Having looked into this further I can see this charging unit is back online and in full working order Marty 6)Free with BP Pulse app 7)bppulse successful charge 8)All good right at the front of store and coned off spot on 9)Working and cones out presumably to stop ice parking here so all good 10)Charge and shop free service thanks Asda 11)Nice and easy as it should be working all ok 12)Back available now Decent levels 100kW 13)BOTH chargers cordoned off due to building roof slipping No access to these chargers for the foreseeable despite still showing up as available 14)Rate dropped today but Tesla ranger came out and now back to normal 15)Best kept secret 16)Used this charger yesterday decent speed of 7590kwh 17)Working fine 18)95kw peak rate easy location to get to off M62 Starbucks etc in hotel Only 2 stalls though 19)Great 20)charger in corner of car park Pin on Tesla navigation is accurate 130kw so getting max charge speed 21)Working and quick charge 22)All good 23)All Good 24)All fine Cars charging on both stalls 25)Charging point 1A successful charge this morning 26)successful charge but still 64kw max 27)Wont charge Tesla Model X Red Light in car 28)My first experience of Tesla Superchargers Everything was fine got from 18 to 90 in the time it took us to get a sandwich and a drink 29)Charged fine yesterday but only at 60kwh 30)Working great 31)even though on my own highest I could get was 93 on both sides Rang it in to Tesla who have raised a ticket 32)Both fine CCS cables on both 33)Skip lorry parked in one bay Loads of free spaces elsewhere 34)if any of you good Tesla people have the chademo adapter there are are two Alfa power rapids nearby This supercharger does indeed get busy 35)Charging at 64 kW with another model S charging at the same time Lucky to get in been checking all day and its been busy nonstop 36)fixed as of 5918 37)1b now working Tesla confirmed repair and Ive tried it 38)Reported connector issue on B charger again as still not fixed Charge fluctuating and really slow A charger works fine 39)Not feeling and fast tonight 300mihr 40)Nice fast charge today 41)100kw and both bays free 42)Successful fast charge last night Short wait for free charge point 43)Overnight charge 10 plus parking charge Good clean car park 44)Now needs a Citicharge app to charge works fine 45)Process was very simple and many chargers were available Although I didnt monitor closely I very much doubt I was getting the 7KWH claimed It felt more like 3 and was definitely a lot slower than my home charger of the same rate 46)Fantastic set up here really impressed 47)Turn up plug in present parking card at machine near bay 1 and walk away the charge cost is then added to your parking ticket Awesome 48)Successful Charge 49)Successful charge 50)Clear instructions and charging is added to your parking charge so no apps or anything required beside paying for parking with a debit card How it should be done 51)What a fantastic set of charge points 13 posts plus two rapids and three Tesla bays As other comments have said go up the entrance ramp to floor one up again to two then down to zero Lots of lovely green lighting greets you Clear charging instructions made hooking up a breeze Been parked for about three hours and charging and parking cost 10 ish 52)Great facility Fully charged on my return 53)Thanks for the pricing info Weve now updated this point to help other EV users 54)working fine Didnt seem to get charged when paying for parking 55)Interesting device 56)Thanks for this information The devices at this location have been updated 57)All the type 2 sockets are currently inoperable due to electrical work being done Friday 22nd Dec should be OK The three tesla sockets are fine Also admin please update these units to be 13 posts each with just one socket each 58)Great location 239v and 32amps 59)Successful charge 5 for parking 3 for charge 60)5hr charge today for 750 If you are in a tesla drive very slowly at top of first ramp unless you raise suspension You will scrape front floor at anything other than crawling speed 61)This charger appears to be no longer free to charge Was 25p kwhr this morning on podpoint 62)All good 63)All good 64)All good 65)All good 66)Looks ok but not charging 67)Was turned out at first but notified Aldi staff who turned power back on Got successful 30 minute charge at 68 kW 68)Not working Reported for a few weeks now Red light flashing Both A and B 69)Working fine Just slow 70)Plug B not working Plug A ok and use this one as its 7kw the dougCarl is only 3kw 71)All other spaces iced atleast once during charge but good charge 72)Both these chargers do not work Each allow you to plug in and you believe your car is being charged However this is definitely not the case Can someone please let me know how to report this as it is in an ideal location 73)Successful charge but had to reconnect every 20 mins or so 74)charged for 45 mins worked fine the light was white before I plugged in and initiated a charge 75)Seems OK charge post is a bit wobley 76)Quick top up whilst shopping 77)Still defective on Doug Carl side is ok 78)Both sides of briaroxy work fine 79)A side of dougcarl is poorly Other three sockets are fine 80)A side of doug carl still poorly other three here work fine Remember to confirm in app 81)Looking in Android most PP OC charge points now have network PP RFID 82)Click the arrow in zap map and it should transfer coordinates to google maps or safari whatever your phone uses and direct you straight there 83)Thanks for letting us know The charge point has now moved to a more accurate position 84)there is a possibility the postcode given here is wrong Make your own investigations before relying on this site for a charge 85)charged on 3 kWh charger successfully 7 kWh chargers iced no markings on electric charging spaces 86)Works fine on 12th Feb No app required and free to charge Lots of problems with ICE cars blocking bays at this Aldi but I have always found one of the four bays free 87)Successfully charges my Zoe R240 33kw as per CanZE on all 4 sockets 2 posts 2 sockets per post First post is meant to charge at 7kw so not sure why its only letting me pull 33kw 88)Please will admin correct these posts One on the left should have two blue sockets presently out of order and one on the right two yellow ones both presently working 89)Pod point app but not active yet so just plug in for free 90)Left hand post two 7kw type 2 totally dead Right hand post two 3kw type 2 works just by plugging in no app needed Neither post has a smart card reader so when eventually enabled will be app only As already said these dont appear in the pod point android app at all yet 91)What type of pump is this one Spike please ChargeMaster Is it free to use Sorry Im new to EV 92)Only right hand post is working Left had post not showing any signs of life 93)Apparently these chargers are for HSBC office staff only 94)Plug B seems to be having a problem but A works ok 95)free coffee WiFi friendly staff nice place to spend 30 mins 96)All ok Plug needs a wiggle to click the lock in place Very welcoming people and great coffee 97)Works fine but make sure you waggle the plug to make sure its locked in Free coffee and drinks inside 98)All ok 99)works fine I hadnt attached the plug properly staff showed me how to make sure it connects properly 100)The charging fine Sometimes need to wiggle the plug to get it to lock 101)Charger is currently out Awaiting an engineer to fix it Apparently it might take two days to fix so nothing till Wednesday 6th March I had to wait an hour and chase people to get this update 102)good service left vehicle with them to go shopping 103)Very helpful staff Charged there yesterday and mentioned I was over the road in Northern Snooker Centre if they needed me to move it Later in the day they came over to check I had got my car because they were about to close 104)Nice charge on the chademo thank you nissan leeds 105)chademo all ok and a free coffee as well 106)Charging fine 107)Successful charge 108)Chad was fine this am 109)Lovely dealership with coffee cookies Tempted to swap the leaf for a GTR Oh chademo works but needs to be inserted firmly 110)New Leaf taking 107 amps 111)Very friendly staff 112)All three doing their thing quite happily 113)All good today Ensure the yellow pin goes OUT else it will error 114)Rapid is fine Just need to ensure that when chademo head inserted the yellow button comes OUT Did it to me then i remembered about the button 115)Turn up for the rapid sadly the rapid is out of action card error spoke to Nissan they apologise and did there best to help me put me on a 7k but my car only has a 3kw board on it 116)charge unavailable card error displayed on the screen Reported to dealer who was already aware and trying to get it fixed 7kW charger working though 117)Bays clear when I arrived and got charged up fine nice friendly staff 118)Charged yesterday fine but had a little difficulty getting the charger going Had to push connector in hard Think the connector is getting worn But free coffee so fantastic service as normal 119)Fantastic service as usual and a free coffee 120)All fine on Chademo ring first as they have a few LEAFS and eNV200s of their own in charge 121)Best to call ahead and let them know youre a LEAF owner 122)Trouble free charge yesterday afternoon 123)Not a Tesla charger need the citi charge app which after registering worked fine 75kw 124)These are no longer Tesla chargers but require Citicharge app and no longer free Located on the ground level successful charge 291022 but bays very narrow 125)Very slow 25kw average charge 35ppkw all full when we arrived but went back 15 minutes later and one was just freeing Other 2 had same cars on for the time of our visit Not tesla but citicharge and need the app loaded with a prepayment so ultimately cost me more than planned but got us out of a bind 126)Good charge with no issues Second charger out of action but other 2 working They are not Tesla chargers though and are owned by citicharge 127)Not Tesla specific 3x untethered 7kw bays kwh currently Needs the CitiCharge app to activate by scanning QR code All very easy 128)Successful charge but Very slow Left car all day as was staying in hotel Have been hit with a 30 charge despite receipt saying 8 and no information anywhere to explain the 30 charge 129)Not tessla now use city charge app Slow but ok for a destination charge 130)No longer Tesla charges these have now been replaced by 3 CitiCharge branded EVBox chargers Charging has to be confirmed through the CitiCharge app and is charged at 025 per KWh 131)Faulty but it had been activated with no sign to say do not use It did charge freely but doesnt release your charging cable and had to use the fuse switch in the stairwell to release 132)Slow but free 133)Right hand charger furthest from wall which is coned off Last time I visited I noticed that someone moved the cone and plugged into this Today I did the same and it worked perfectly Ive edited the sign to reflect this Only works on Tesla vehicles 134)Now the only working connector CitiPark explained they are working to provide more chargers 135)Works for all cars the middle connection very slow charge but ok 136)Get here early to bag the popular nonTesla bay Its not what youd call a fast charge but a welcome one nonetheless 137)First Tesla hook up successful charge 138)Works great Desperately need more though in a car park this size with over 1000 spaces 139)Successful Tesla M3 charge right hand bay at 18 mihr overnight 140)Successful Charge at 20A Left hand Tesla Only Connector 141)Right hand Tesla Only Connector not working on Model3 Left Hand one OK 142)Arrived at 7am to find all bays empty Straight into the Non Tesla spit and charging well Theres a sign asking you to move to another spot when full good to see this 143)Hi there got a few questions about the nonTesla charger 1 Is it now working again 2 Is it a Type 2 charger 3 Is it free to charge or is there a cost 4 If it isnt free how much does it cost to charge for 35 hours Taking delivery of my first hybrid car Volvo S90 T8 this Friday July 19 and have sent off for a discounted NHS parking card at this car park fiver a day with the discount card bargain Any updates very gratefully received thanks 144)I parked my Golf GTE in the middle bay presumably device 2 on Monday the 27th The bay is marked Electric Vehicles and not Tesla Vehicles as devices 1 and 3 are After unplugging from a successful charge my vehicle still thought the plug was connected and wouldnt start Nothing I did fixed the situation and the AA had to recover the vehicle to a VW garage where it remains I will provide updates when I have them 145)there are 3 chargers on the ground floor they are all tesla destination chargers but the middle one is available for free public use trouble is it has a lead not a socket with a type 2 plug on it 146)Additional info Two of the Three chargers are working One had a red flashing light The other two worked great 147)Good charge 7kw output Arrived at 9am and was only car there didnt seem overly tight space wise You need to go up a level and down a level follow the signs for citycharge there is a dedicated charging area where all the chargers are located rather than dotted about around the carpark 148)Successful charge 149)2 tesla charging when we arrivedVery tight and had to use summons to get the car in Good reliable charger 150)120821 wouldnt charge others working fine 151)successful charge for my Tesla 90D well organised and on Saturday afternoon was pretty quiet 152)Successful charge on bay 8 153)Its on floor 0 to save you searching like I did Good charge at 7kW overnight Parking rather tight though 154)Lots of charging bays there must be 20 Successful charge 20p per kWh All electric cars parked were not plugged in not surprisingly 155)bppulse successful charge 156)Working fine but reported the broken led light on the right of the unit 157)It isnt BP Pulse its Engie so I had to set up yet another account which was a pain but charged OK in the end 158)Decent splash n dash 159)Excellent 160)All good nicely placed charger lefthand side of car park next to childparent bays 161)All Good 162)Used Wednesday night all good 163)All good as always Pizza slice in the cafe indoors good as well 164)Just one post with 2 x 7Kw sockets Post labelled Chargemaster Worked fine tonight and used the Chargemaster card to start and stop the charge Charged at the full 7Kw rate 165)Successful Charge lots of Space 166)All fine plugged into socket 1 Unit takes either chargemaster cards or the polar instant app 167)All working fine both bays clear of ICErs 168)All working fine Charge bays well painted and signed 169)My wife works at the LGI would she be able to park here to charge whilst at work Or would she need a uni permit 170)Chargepoint now fixed 171)Black bag over the top 172)Fastest 7kw Ive ever experienced About 2 hours from 30 to full 52KwH Zo ZE50 Maybe more like 22kwh Either way would recommend 173)Maybe my first time using CYC but I couldnt get it to start charging on connector A I did manage to make B start but it stopped 2 minutes later 174)Both sides working fine im leaving now imagine the leeds uni points will be in demand due to today being freshers arrival todays parking code 100341 175)Socket A is not delivering any power I did suspect this last visit but confirmed now Will phone CM shortly 176)Both sides charging fine 177)Both charging fine at present Im leaving shortly 178)Charging up just fine 179)Easy top up here 180)Started charging Seems to be free 181)Bit confusing to start with but got it working in the end Successful charge 182)There are now 14 x 7kW charges at this location All are free through Charge Your Car 183)side A of 70212 working fine other seven are vacant public parking here on weekends 184)Worked fine If going during office hours the EV bays get very full and some EV owners think its okay to park there but not actually charge their car 185)All four appear to be working fine now 2nd floor of the multistorey at the back EVERYONE must visit the pay display machine even if they have a code Chargers NOT available to the paying public during office hours 186)All appear to be working fine now 187)Socket A reported over a month ago and still not fixed Socket B has been occupied by the same vehicle for nearly 3 hours 188)Socket B fine Socket A has been reported and Pod Point are awaiting site approval to attend and fix it 189)Problem free Splendid 190)Port A works at 1130am Once confirm charge on the app still stated available in app but still delivering charge while shopping 191)Connected fine No issues Working well 192)Working fine right now 193)Connects but didnt start charge Usually no problems Reported to podpoint 194)Working fine 3hr maximum stay in car park enforced by ANPR 195)Connected to charge point B Working okay Zoe on point A seems to be okay as well 196)Only one connector working Jeri side broken Dave side charging fine 197)Jeri not working Dave charged fine 198)All working fine 199)Nice of this Chevy Trac to ICE the available space for charging 200)Successful Charge and Free to Use 201)Since September last year I can only confirm charge once in every 5 sessions on average so the car stops charging after around 20 minutes The charging status doesnt change from available when plugged in to either A or B port so whilst the application gives a charge confirmed message it doesnt actually confirm it 202)All fine 203)used left post today came back after a while to find post turned blue after appearing to be ok for a while app said it was claimed but obviously the post didnt get the message keep an eye on it and plug in again if necessary 204)successfully charging on Dave 205)Fine on B but A ICEd 206)Successful charge Easier to use than CYC 207)Successful charge 208)All good and charger communicating with server properly for first time in a while 209)podpoint app didnt change status to charging when confirmed but continued to charge ok after 15 minute point 210)Toyota Ice Appropriate name 211)successful charge 212)Charging nicely 213)Free to charge but timely only 7kw 214)All fine Theres now a Charge Here sign on the wall by the charge point 215)successful charge although point A was showing red reported to Pod Point 216)Didnt work Said not enough power when another vehicle is charging when no other vehicles were there 217)DPD van connected and fully charged for 2 hours This company is abusing the network more and more often it needs to be addressed 218)Chademo connector is damaged reported to Pod Point last time this happened it took six months for them to fix it Feel free to report it each time you go there 219)First charge 55 mins 220)Definitely not working at 50kwh speed more like 35kwh 11kwh delivered in 22min But it is working again so I suppose thats something 221)CCS being used when I got there but happy with 43kwh 222)Good charge Pod point reliable as always 223)Charged earlier today worked fine All 3 chargers seem to be working only tested CCS 224)Right by car park entrance easy to use and worked perfectly 225)Worked OK but a bit slow though In car park of Lidl which has toilets but no coffee 226)Good location well marked and easy to use 227)First time using a public point Type 2 connector has a little damage but works fine 228)CCS unavailable T2 only providing 12kW Otherwise all good 229)No issues not ICED Good all round time on charge 230)Worked on the 5th attempt Guy on the chademo before seemed to have no issues Ac worked ok 231)All ok 232)Charging to 100 on a rapid charger in a popular location is a very unpopular thing to do unless you are prepared to sit with your car and wait those final 25 minutes when it takes a long time to go from 80 to 100 so that you could let someone who needs the power take your place If youre new to EV charging particularly rapid charging please take this message as advice and not a rant Rapid charging to 80 maybe even 85is good practice rapid charging to 100 is very bad practice 233)All fine 19919 234)Working fine 235)All appears ok now AC DC charging together 236)Arrived Stop Error message on the screen Twisted the Red reset as instructed Was able to charge Hoped to ChaDemO charge to 100 Charging stopped at 86 Possibly the heat is a factor Otherwise fine 237)all seems to working fine now thank you Lidl 238)Does this charger still operate rapid and is it still free to shoppers 239)Work great 240)All ok 241)All fine on CCS 242)Theres a BMW PHEV plugged in to the AC 43kW rapid for 50 minutes and drawn 29kWh of energy No sign of the owner Doubt anyone spends that long in Lidl so presumably hes gone off somewhere Why do people hog a rapid with a vehicle clearly incapable of rapid charging 243)quick chademo charge 244)Great free rapid charger 245)All ok 246)All ok 247)All ok 248)All seems to be ok here Leaf was using the 50kW feed so could only use the AC feed whilst doing a quick shop Shame the i3 can only use 11kw of the 43kw on offer 249)Not bad set up just be good to modernise the 7KW units as CYC isnt good unless you have there RFID card 250)Just happened to have my 2 year old CYC RFID card with me and it worked I presume now BP Pulse have bought CYC it will bill my BP credit Anyway it worked we had a lovely bus trip to Leeds for theatre and food then came back to a fully charged car Very impressive facility Well done LEEDS Team 251)Absolute garbage Dont waste your time Half of them have no power to them When you find one with power the App tells you it isnt available 252)Reported as not working but using the Polar plus card it works just fine 253)App not working to add card for payment Saying plug is in use though Saw some cars changing here successfully though 254)No chargers available due to covid testing 255)all charges out of use due to the site being used as a covid testing area There is equipment directly in front of all charges so theyre not even available for the use of nurses and so on 256)Great first charge 257)Successful charge now the charger is working 258)successful charge 259)Charging on 8083 type 2 Had an issue with 8081 with my BMW i3 Initiated via the phone as CYC app wouldnt work Very helpful helpline Chargers located near the bust stop for park and ride with the inevitable ICEIng unforgivably by another i3 parked nose in not charging 260)successful charge and charger back online on ZAP 261)both sockets are good 262)Sorry but I didnt regard the language as particularly strong Certainly not as strong as the language you get from people that you politely point out that the spaces are for evs only lol 263)Hi Frumtarn we hear your fustration but please keep your language moderate The EV community needs to win the hearts as well as the minds of ICE owners 264)ice cars blocking chargers are not penalised At least pretend theres a fine to discourage inconsiderate fossil owners 265)Available during park and ride opening hours only til 9 MF 6 Sat closed Sun 266)The signage is incorrect Franklin EV doesnt seem to exist but successful charge via the LifeEV app 11kw though rather than the 22kw stated 267)Charger on level 2 the level you drive in on Own cable needed You have to walk to the edge of the car park to get a mobile signal and must use the Life EV app You wont get anywhere near 22kW I was pulling about 11 268)Another vehicle plugged in and only delivered 69kWh in 3 hours Tight space to get out of with a big vehicle due to bays behind Otherwise quick and easy to set up with app 269)Good location and no problems charging the ipace 270)Would not start charging moved to other connection and charging ok at 7kw 271)Successful charge great app works well 272)Good location and well marked App worked OK 273)Great location and fast 22kW charger 274)Beware Plugged in for a single charge here C Zero 16 kW battery nowhere near depleted and have just been invoiced for more than 14 Provider website is an absolute nightmare to use as well 275)Conveniently located on level 2 which is the first parking level from up the slope Up the ramp collect your entry ticket left and look on your left 276)It was dark and I couldnt see the chargers Decided to move to somewhere better lit 277)Plug B working fine 278)Type 2 Charging perfectly fine with bp pulse card 279)17 to 80 no issue Free to use with a tap with my old polar plus card Behind the ice arena 280)Reported this to bp pulse again the server could not authenticate RFID card They apologised that they had no previous reports even though I did one three weeks ago 281)Couldnt get App to work so just scanned my debit card which is the same as the one registered to my membership 22kW in 32 mins 32 to 92 soc Nice Metro bus station nearby dry warm and clean loos Thank you Leeds City Council 282)Needed resetting but charged OK 283)Impenetrable App doesnt work properly Whole device seems locked down Scream 284)Easy peasy 285)New EV user and bit stuck The cyc app doesnt work When I rang they said its now BP pulse as theyve taken over and its no longer 1 connection fee but the BP fees Is this correct Also can you just tap you contactless card Thank you 286)Yup all good 287)Was there on a Sunday so car park appeared closed but adjoining car park open so was still able to access chargers RFIDd a random card to open the plug and was a free vend thereafter No connection charge 288)Rapid got red lights and many travellers living there 289)Ok 290)They have opened the car park so they can use it as a Covid vaccination centre so that means we can access the rapid charger again Its not showing on bp pulse network but if you have the old polar map it shows on there and if you have an RFID card it will start 291)all charges in the main car parts which includes the rapid are barriered off and inaccessible 292)Used slow charge only one working but had to plead to open the barrier as site is no longer accessible aparantly its going to be used as a Covid test site 293)Whole car park closed and blocked off and ALL chargers inaccessible 294)both ev bays iced luckily theres space round the back to park up near the charger 295)Great thanks for the info We have updated the point 296)Found 70214 Location is Devonshire Hall UoL halls of residence Cumberland Road LS6 2EQ coordinates 53818256 1565638 and please to be marked residents and visitors only Works fine with polar card and the CYC app correctly updates when each side is in use I checked both sides as I am a nerd 297)bppulse ready to charge 298)My friend plugged in to charge last night and in the morning non of the chargers were working and her start up battery had been completely drained 299)nicely placed but half iced 300)Paid hotel car park but Polar charging tariff reasonable and just nice to be able to juice up and leave on 100 Good to see more hotels doing this now 301)All bays available 302)I asked at reception and was told that the manager doesnt think its for members of the public to use but as there arent many chargers I can use it and they would take my registration number so I dont get a fine Either way theres no barriers it is a 7kw type 2 socket and regular parking is from 150 for an hour 303)Handy place to top up when I visit my dentist cheers Conrad 304)Successful charge with zappay 305)Successfully used yesterday at 1830 ish after an unsuccessful attempt at Charles Street Farsley Just around the corner from the Lidl charging point that was very busy 306)Had to register as I havent used GeniePoint before but it was really easy and worked straight away No issues 307)working fine 308)all fine today 309)Works fine No issues 310)faulty powered off garage supposedly reported a few days ago they certainly know now 311)seems to work fine 312)Chademo works but in half an hour i went from about 4 to 44 instead of the expected 7080 I have marked faulty and notified the helpline If someone could visit with a CCS car that would be useful My first rapid charge today thurs since tuesday 313)This charger has had successful charges on it any problems call us on 0203 598 4087 314)both parking bays seemed to be an overflow fir the pub across the road use the free podpoint charger in Lidl next door 315)Any chance of putting this one on a cheaper tariff given theres a free podpoint rapid literally next door 316)Another nice new one let us know 317)Successful charge via the app Couldnt verify my credit card 318)Successful charges today twice 319)My fault all good 320)Worked nice Charged my 30kwh Leaf from 20100 in 40 minutes 321)Couple of attempts to get started then chared at up to 43KW 5 minutes walk to Leeds Armouries 26th cafe toilets and a very interesting place 322)We have seen recent successful charges on all connectors However if you are at a charger and experiencing difficulties please call our 24 hour helpline on 0203 598 4087 as there may be something that we can do remotely to assist Thank you GeniePoint Team 323)Worked fine although charging slowed down to 22kw after about 30 minutes of charging 324)As the charger nearest to work I rely on it for a quick charge on my home Unfortunately it if the most unreliable charger never working 325)All Good on AC 22kw socket 326)Charged using the website account very easy to setup its Pay As You Go but in topup units of 10 which seems a bit greedy Charging a connection fee is a bit greedy too But needs must and this is very conveniently located if youre visiting from another city like us 327)Worked fine A bit pricey 328)Fast charge Easy access 329)After the problems I had last week Engineer visited this charger yesterday and confirmed that it hadnt been set up properly and was unable to tell the difference between rapid and fast charging for billing purposes Advised that it is now sorted I wonder if someone could test out CHaDeMo just to see 330)dc side still appears broken couldnt start a chademo charge and after a couple of attempts it started reporting chademo and ccs as unavailable when trying to start a charge unit is now in comms and can interact with the app ok actype2 works fine only took 02kWh but got a mail saying bill was 0 331)This has been reported to technical we will post an update when we have more info 332)Good charge 106mph but prices have gone up again to 50pkWh 333)Successful at 49mihr 50pkWh 334)Easy to use with pod point app 335)Worked fine today 336)Successful charge did say the was an isolator error but tried again and worked fine on the CCS Not busy at all 337)Error message connector rattles which isnt good 338)Tried yesterday and today lets me claim the charge on app but wont begin charging Another car plugged in on CCS is charging fine so think its a connector issue 339)Good 50kW charge 340)Successful charge Fast Not free though as some of the comments here Its 026 per kWh 341)Working OK and on free vend 342)A successful charge 343)App not needed Plug and go and free 344)All good worked fine 345)On free vend and yes App isnt connecting Just plugin and OK 346)Successful charge no problem 347)First time using PodPoint I managed to get a charge but had to disconnect and try a second time Managed to get 12kw charged in 19 mins for 296 025 per KWh 348)Easy to find need the pod app to use 349)is this a free or paid charge 350)All ok 351)Successful charge on Chademo 352)Have used this 3 times now Great location for a bit of shopping and it works but at nothing like the advertised speed for us anyway Today it was running at around 12kwh by my calculations 353)Good charge on type 2 The app seemed to think I was on chademo 354)charged here for the first time just a couple of hours before the charges excuse the pun came in very easy to use 355)Thanks Lidl got us home from to Manchester from a gig in Leeds 356)Fantastic 357)Good charge on CHAdeMO dont know about the others but nothing to suggest they dont work 358)Working ok 359)Worked perfect for me but just very expensive Used in emergency Go to evchargeonline and put in UK number that you see on machine 360)Good 22KWh post 361)All good 362)All Good 363)DO NOT LEAVE THE SITE WHILST CHARGING This site is monitored and any driver observed leaving the site whilst charging will receive a fine The remain on site policy is rigorously enforced 364)Frequent parkingUKCPC guy visiting to check people are not leaving the site Watch out 365)All Good 366)All Good on these 22k Chargers 367)All working fine 368)working great 3phase 22kW 369)All working fine 370)didnt test unit but it looks ok car park still has 90min max stay signs but Im not sure if the cameras are still present cant see any possibly there is no enforcement since poundworld whose carpark it is went bust 371)Blue lights back on after a period of being switched on Didnt plug in but units are nearly new 372)Thanks for this info Esme the charge point has been updated 373)Admin please amend UKEV0287 is a post on its own 0288 and 0289 are a post 0290 and 0291 are another post Three posts five sockets 374)Need to charge your Electric Vehicle I use the Instavolt mobile application its really simple to use and I would recommend that you use it too Enter this referral code dXkdm on signup and we will both receive a 5 account credit after your first charge Click herea hrefhttpsdriveremspinstavoltcoukreferraldXkdm titlehttpsdriveremspinstavoltcoukreferraldXkdm targetblankhttpsdriveremspinstavoltcoukreferraldXkdma to install the app and signup today 375)Left hand charger is fine right one out of service currently 376)All good price has gone up 84p I think 377)Working great 57p 378)Good location but charging maxed out at 25kw 379)Working perfectly 380)All good 381)Easy charge easy pay everything you want in a charge point 382)All good someone also happily charging on Device 1 383)Need to charge your Electric Vehicle I use the Instavolt mobile application its really simple to use and I would recommend that you use it too Enter this referral code 6Ja8X on signup and we will both receive a 5 account credit after your first charge Click herea hrefhttpsdriveremspinstavoltcoukreferral6Ja8X titlehttpsdriveremspinstavoltcoukreferral6Ja8X targetblankhttpsdriveremspinstavoltcoukreferral6Ja8Xa to install the app and signup today 384)All good with ChargePoint Card 385)Both units were in use but I parked in the bay next to a 95 full car and waited for it to finish then helped myself to the released cable 386)All fine 387)Had to call the helpline as the available unit wouldnt read my RFID card Customer Services answered really quickly and rebooted the device and then all was good Great Service Thank you Instavolt 388)040pkw fast charge Very happy with fast charge 389)All working exactly as it should well done Instavolt 390)Works great Neither charger in use when we arrived 391)Need to charge your Electric Vehicle I use the Instavolt mobile application its really simple to use and I would recommend that you use it too Enter this referral code TcO83 on signup and we will both receive a 5 account credit after your first charge 392)Need to charge your Electric Vehicle I use the Instavolt mobile application its really simple to use and I would recommend that you use it too Enter this referral code TcO83 on signup and we will both receive a 5 account credit after your first charge 393)Never used before Impressed 394)Most reliable sign up with referral code toWad to get 5 credit into your account 395)Seem to be very reliable 396)Nice quick charge Max 35 kw 397)Nice quick charge Charge at 35 kw max 398)using the app use this code for 5 free credit F6Ljt 399)Cable slightly short only able to charge as space to the left was empty otherwise ok used Etron charge card got a Burger King whilst waiting 400)No issues on CCS Contactless very convenient 401)Love contactless app free charging 402)Didnt accept any of our contactless cards but the helpline answered immediately and gave us a free rapid charge 403)42kw very easy payment system Tesla M3 sr 404)Good 405)All good 406)working fine 407)All ok 408)all fine 409)All good 410)Both chargers had their emergency stop buttons pressed Took about 5 minutes for the chargers to reboot All ok 411)Great and so easy to use 412)Great and easy to use 413)Seems emergency stop had been pressed Rebooted instavolt operator confirmed a ok their end 414)All ok 415)All ok 416)Was able to charge successfully on Socket A tried Socket B initially and it didnt work 417)Charging at 22kWh but still free 418)Very slow charge only charging at 10amps Sign up saying charging tarring will apply but still showing free in the podpoint app 419)No longer free charging from 241022 420)Easy and Free 421)Slow but ok 422)Had a successful charge at location but most of the points only 1 side will work When it does work speeds are very up and down from 3767kw Have reported to Pod Point 423)Started charging and was able to claim charge successfully Charger stopped by itself after 91 minutes and flashed red No idea why 424)Not working only 2 showing as available but charge not connecting on both A and B 425)Appeared functional on the pod point app but my light wont go green after confirming 426)This one works past the 15mins Successfully charging 427)Successful charge on socket A on Friday but just now Monday socket B failed to deliver any charge despite giving a charging confirmation via the app 428)7kw slow but free 429)Charging at full 7kWh with all chargers in use 430)Still out of action no charge 431)Good as gold 432)Sameeven when confirmed charge on the app 433)Plugged in and began charge fine Confirmed charge on app fine BUT charger stopped charging after 15 mins Clearly app isnt connecting with on the ground charger to confirm continue charge 434)Josh Abby point A connected but slow Still free charge and car on point b charging successfully too 435)Charge nicely at 22kW Lovely spot to wait also 436)No screen on this device but Just plugged in and swiped RFID card Light went from green to blue and car began charging at 72kw which is close to max for the car I just needed a bit of a top up on the way home 437)Lovely spot in the summer Saw some bats flying about catching insects on the way back to collect the car Charge was nice and fast 22 kW all the way 438)Charge point A wouldnt charge my Zoe The Alfa Power app just reported charge failed and my car said checking connection or something to that effect I tried a few times but to no avail Fortunately charge point B seems to be working fine and I have an ongoing charge at 22kW at time of writing 439)Thank you for coming by and hope you enjoyed your walk 440)We decided to base a New Years day walk on charging point locations Had a great walk in Adel woods whilst charging One space currently blocked by the cricket pitch covers but with a bit of determination you could probably still access both points 441)Charged my car quickly easy to use Went for a lovely walk around the cricket grounds as my car was charging 442)Charged my car quickly easy to use Went for a lovely walk around the cricket grounds as my car was charging 443)All good 444)Used CCS to top up to 80 expensive but faultless service from Instavolt Only down sides are the awkward side on parking and ICE buckets squeezing out of the exit 445)All good 446)Usual excellent Instavolt charge close to 50kW throughout and no drama Sign up with the Instavolt app using the referral code 6Ja8X and get a 5 account credit 447)good charge but parking rather awkward 448)Always reliable Sign up with InstaVolt app with referral code toWad and get 5 credit into your account after your first charge 449)Need to charge your Electric Vehicle I use the Instavolt mobile application its really simple to use and I would recommend that you use it too Enter this referral code TcO83 on signup and we will both receive a 5 account credit after your first charge 450)using the app use this code for 5 free credit F6Ljt 451)Successful charge but a note placed on my car says space reserved for flat occupant Is this a public charge point or not 452)Not charging despite blue light 453)Thanks for the update we have updated the charging point 454)Working good 455)FYI this is no longer free to use charge is 25p kwh 456)Charging at decent rate 457)EV owners visiting some other Aldi stores are reporting here on ZM having to pay to charge Aldi have chargers from more than one network so that may be a factor 458)Back to normal 24 hours free vend this morning Staff told me throughout June that charges would begin in July Then over the past week tried switching off during Needed to contact Aldi and ask what the situation is There is no cost All that is needed is the PodPoint App Remember to claim the charge in the app so that it does not stop after 15 mins For now free charging here with no posted parking restrictions for Type 2 459)Seems to be switched on and available to charge all hours again Still free vending Staff told me throughout June that they would become paidcharge in July No payment required yet 460)Working fine as usual 461)All working well nice to see 4 EVs here on arrival not long to wait for one to finish and another 4 here when I left Nice to see 4 working connectors in one car park 462)All good but non ev Audi parked in a bay Reported to Aldi but no outcome 463)Far end 464)All appear to be working fine 465)If you drive straight ahead after turning into Aldi the chargers are at the far end of the car park orchestracomicalsave Post DionHugh is charging fine at 7kw 466)Usuals disgrace from BP Pulls 7kw max Took 4 x 5 top ups Woeful and Crowne Plaza should be ashamed of offering this to its clients too 467)These are not shown at all on swarcos own map 468)What is the new tariff It still says free on here 469)What app does this use Also is it still free 470)If you have been using this unit please note it will be turned off at weekends until the new tariff is implemented GW 471)Apparently this charger is powered from the school and theyve just found out its always been on free vend so it will cost from late Nov 22 472)I have been charged for using via the SWARCO app I dont believe this is free anymore 473)I have been charged for using via the SWARCO app I dont believe this is free anymore 474)All good today 475)Walked down to pub tonight 2922 and unit appears to be switched on again I could see the light on from the footpath but not been up close 476)Hi do you know if this is free to use or you were charged for usage 477)Nearest charger to where we are staying Nice to give the Leaf a break from rapid chargers Luckily I already have a Swarco E Connect card from my work place charging 478)Thank you really appreciate it 479)Charge successful using the RFID card Only pulling 7kw though 480)Unit is fully operational and available 481)Requires RFID card but number on stall claims they no longer manage the stall and it is instead managed by the primary school Unclear whether it is for public use anymore 482)No DC rapid available Put in enough on type two to reach Thornbury InstaVolt 483)Temporarily unavailable Looks like the AC socket is available But bring your own cable 484)Charged for 6 mins then gave up Charger no longer available Off to Instavolt 485)Type 2 is working fine CCS isnt 486)Chademo unserviceable so grabbed a type 2 top up 487)Chademo unavailable on screen type 2 ok 488)Chargers for about 11 mins and then makes a grinding sound and stops possible faulty cooling fan Tried 3 times with same issue 489)This charger is no longer free Its now 042 per kWh 490)It looked like it was charging as all the appropriate light switch on onmy charging point but when I got back to the car 40 minutes later it hadnt charged at all No idea why 491)74 minute full charge 492)Easy and free 493)Convient and free Works fine but only getting around 89 kW on a Type 2 494)Free charging for an hour while I shop This is fab 495)All good free charge still 496)All working fine 497)Successful charge i3 in next bay still had a good charge on Type 2 connector All seem to be working well now 498)Successful charge but only charging at 25kwh instead of 50 499)Connected and charging Looks like its working OK 500)Wow wish they had free fast reliable chargers like this where I live Brilliant Took 75 minutes to go from 3494 501)right next to a playground and shops great location 502)All good 503)Easy CHAdeMO charge 504)free charge ccs 505)Useful info found following a conversation I had with someone involved in the installation of this charge point even though one of the Bays says Taxis only regular EV drivers can also use this bay I think it means that Taxis cant use the other bay but regular EVs can use both 506)No issues Ccs charge was good but only managed 36kw 507)Id like to assure you this was a temporary issue caused by our recent server migration Having looked into this further I can see this charging unit is back online and in full working order for both registered users as well as guests Marty 508)Tried to start a charge with Apple Pay contactless accepted card but then showed a screen saying card not found Tried twice to no avail Could not remove charger from unit and screen reverted to welcome screen Two pending payments of 30 each on my account now hoping these just disappear after its confirmed there was no connection 509)Thanks for the report on this socket After looking at the charging history with the cable and its latest uses it seems like it is charging successfully If you encounter future difficulty please attach an image of the fault and we can investigate this further Anzaila 510)Right at the back opposite side to pub 511)All was fine at the weekend 512)bppulse successful charge 513)No power Why still keep this on the network wasting peoples time Not a single positive experience with Bp pulse 514)Completely switched off no signs of life 515)Whole unit not functioning looks deserted and neglected 516)All Good On AC 43 Using polar plus card 517)All good on AC 43 using polar plus card 518)All Good On AC 43 using Polar plus card 519)most reliable unit Ive come across so far 520)easy transaction 521)All good with polar plus rfid 522)brilliant fast charge toby is a good one to stop for refreshments good garden area to sit out aswell if weather ok 523)As usual another excellent polar rapid charger Brilliant location for the hotel guest and for any one visiting the Toby restaurant Free parking contactless payment 524)All Good on AC 43 525)Yesterday afternoon good 526)good charge on CCS 527)Went to recce this one didnt need a charge live nearby am home charging now Sunday evening carpark packed point doubleICED Had hoped to try the chademo 528)A quick 30 min fill this morning cheers using it when I can 529)Great charge for my Leaf30 on chademo today 530)Nice charge here Keep following the road left around the car park and the charger is in the far corner of the car park I used polar instant rather than contactless Once activated in the app you need to select polar card on the screen cost is 25p per kwh not 30p as it says on screen 531)Debit Card was not accepted so phoned the fault number They remotely rebooted the system and the card was then accepted Charged successfully after that 532)No issues at all Plugged in contactless payment Successful charge Only 37kw 533)Teslas are around 1000 not that I own one 534)Good charge 535)perfect charge this morning 536)Used a few days ago convenient location if heading into Leeds with well stocked petrol station shop Usual excellent Instavolt charge close to 50kW throughout and no drama Sign up with the Instavolt app using the referral code 6Ja8X and get a 5 account credit 537)perfectly good charge starbucks nearby very handy 538)Charger works but doesnt charge full 50kw very slow 20kw charging Car is only 60 full 539)Charger works but doesnt charge full 50kw very slow 20kw charging Car is only 60 full 540)Need to charge your Electric Vehicle I use the Instavolt mobile application its really simple to use and I would recommend that you use it too Enter this referral code TcO83 on signup and we will both receive a 5 account credit after your first charge 541)Most reliable sign up with referral code toWad to get 5 credit into your account 542)Very smooth And able to park sideways too 543)Wouldnt connect to station via app contactless worked ok though 544)Perfect no fuss after failed engine 545)Can be difficult to get out of the car as the charger is on the right Good rapid charge 546)Connected immediately via contactless Happy with that Starbucks is 5 minutes walk away 547)using the app use this code for 5 free credit F6Ljt 548)Yes you can Theres good information here httpsevdatabaseukcar1202VolkswagenID3Pro If its not your specific model others are listed 549)Im very new to all this and have a Volkswagen ID3 Can I use a charger at the station for that car 550)Why cant all charges be this easy 551)First public charge and all good A bit tricky to get connector to car as charger side on 552)All good except for the new petrol station signs going in which thought I meant I wasnt going to be able to use it Only today I suspect 553)fast 554)CCS charging like a dream easy to use 555)Hi evfamily Thanks for letting us know The point had been accidentally replicated it seems but should now show correctly Kind Regards Admin 556)Chademo is working ok No problems at all 557)All good IPACE is sucking up the electrons as I type 558)All good said error with card but then charged 559)Successful change and thanks to the other ipace driver for unplugging when i showed up 560)Successful charge for Jaguar I Pace 561)Successful charge on cvs Good coffee 562)working fine on chad 563)Worked well after drive from London Location great for a coffee 564)Successful Charge Sunday 565)easy to use Costa Coffee machine inside the garage 566)Charged fine friendly staff in garage Free Vend finished Charged for 409 GBP 567)DC chademo working fine Petrol station busy at 130am On a Friday night open 24hrs so feels quite safe 568)Still out of service at 3pm today Reported to onsite store who said nothing to do with us so reported to phone number on the adjacent sign Lady on phone tried to reboot but to no avail No sign of any power to the charger whatsoever Hopefully back on stream soon as normally this charger is one of the best Unable to tell how long before being restored Fortunately had enough charge to try elsewhere 569)35pkWh Free to use the first time you use it introductory offer 570)Works fine on w Golf 571)Works fine for electric golf 572)Still offering free introductory charging 573)first post 123 amps on chademo working great still says introductory offer you will not be charged on the little scrolling display 574)The whole machine is not even on 575)Out of action Ccs connection has no plug attached 576)Nearby Rothwell Leisure Centre one connected but didnt draw charge Support rebooted but still errors Sent me here Worked fine first time with RFID card 577)Took a while to connect but got it eventually Deffo isnt free for me 578)Easy connection no issues free to charge what more can you ask for 579)This one and the one at Rothwell both worked for me in last 24 hours and are free 580)Tried on 3 occasions to charge Accepts card and makes a noise then red light comes on and stops charging 581)I normally dont have a problem with this charger but I could not get it to work 582)Someone was charging using AC socket beforehand I presume their charge was successful However I could not get the charger to start for me Called the helpline Advisor was helpful and rebooted the machine but still couldnt get it to start for me 583)Slight issue when attempting to disconnect as the webpage didnt realise I had an active charge on going Called Engie and they answered quickly and reset the charger and it disconnected straight away so no issues 584)Busy time 585)Full charge no problems 586)Charge successful on third attempt 587)2 guys fitting replacement machine old one to be returned to France for repair Sat 17th April 4pm New one should become active maybe Tuesday fingers xxd Team have today swapped units at Brighouse Horsforth more yesterday 588)Only 10 kWh charging but works fine 589)All good chademo to 30kWh Leaf i3 and eGolf also used here and Model3 parked adjacent 590)All good on Chad Leaf30 followed on the CCS by an ipace 591)49kWh delivered Free etron rfid used 592)Charged fine except for when someone connected the 22kw one at the same time and it stopped mine 593)All working fine 594)Tried to charge today but wasnt successful in connecting via the app 595)It did keep tripping out every 10 minutes but I was able to restart via the app from the nearby Morrisons cafe 596)Cut out at around 70 Possible issue with onboard car computer Charge successfully restarted with RFID card Web interface didnt seem to be working as I wasnt able to start charge without RFID on either occasion 597)Successful charge on Chademo However Leaf driver using Type 2 reported his stopped charging at some point during my successful charge We were both of the understanding that Type 2 could be used alongside one of the rapid chargers so not sure why this occurred 598)Short topup via my own Type2 lead and got a shortnotice hair trim done too New Londonreg Citroen using the CCS presume a PHEV 599)CCS charged OK 1600 9th July 600)Seems ok now 42kw and started with 27 which is normal for me 601)medium temp battery 30 full and only getting 17kw 602)Good free Type 2 yesterday my own lead 30kWh Leaf 603)Just done a 1hr 10mins free Type2 topup on my Leaf30 Nothing else charging Fitted in a hairtrim and shopping at Morrisons Disconnected moved off now enjoying latte cake in small cafe 604)Very quick to start charging 46kW 605)just tried this for the first time and all worked ok but lead very short 606)Used both the Type 2 socket and then Chademo tethered Sun 15th Dec both good freevend Btw I parked on the blue hatched area do others use that area 30kWh Leaf 607)Chargers were showing as red on the web app but on arrival someone locals probably theyre suspicious of anything beyond steam powered had pressed the emergency stop Charger display was still lit and said to release the estop and within seconds the whole thing was up and running All good Worth trying then even when red 608)great charge couldnt find the correct app for it so had to use the website 609)Quick top up on way home Was ICEd on one side on Sat night so had to take the taxi only side Would be interesting to see the enforcement in this instance 610)Tried this out yesterday with thanks to the black i3s owner for help with appUsed my own cable to the Type 2 socket and yes the app shows the elapsed time so didnt incur penalty But app said Id taken over 10kWh later email gave correct 357kWh Machines display wasnt telling me or others owt Leafs blue lights did show charging in progress Beware drivethru taxi bay between charger adjacent club Freevend 611)Short charge today to try this one out Web App on phone is easy to use and keeps track of your time 75mins max before overstay charge 612)good 22kw ac charge ideal for a Zoe 613)Thank you for the report it may have been a temporary issue as I can see that customers have been able to charge on the unit I would suggest contacting our customer service team if this fault occurs Jason 614)All Good on AC 43kW 615)Can only ever get 33kw only use evenings most week days youll get the local DPD vans using it a lot 616)Id like to assure you this was a temporary issue caused by our recent server migration Having looked into this further I can see this charging unit is back online and in full working order Marty 617)Was getting the full 50kW for a long time until my battery was nearly full 618)Very very easy to get going with contactless card Only downside was that the charging summary kWh added only flashes up for a few seconds at the end before disappearing and telling you to disconnect the charger 619)bppulse successful charge 620)Showing out of service but working fine 621)Thankful quick charge enough to get home 622)Fast CCS charge on my ZOE 623)Fantastic Charged quickly easy to use 624)Working and easily accessible 625)Not even charging we dont need when more evs are coming out and some areas chargers are not enough 626)14kw in 20 min so not the fastest but working which is good for Leeds infrastructure 627)Great charge station delivering 49kwh 628)All good 48kW speed 629)Communication problem with vehicle Shame normally this is a great charge and cheap 630)Barrier open no restrictions all good 631)Did get a successful charge in a way but the unit froze and would not unlock or stop charging had to call bp pulse and have them reset the machine so had to pay for 20 mins extra charging 632)A bit slow but working fine 633)Good quick top up 15kw in 20 mins 634)All Good On AC 43 Using polar plus card 635)Charged here yesterday First use of the BP Pulse RFID card 636)Super quick connect and away we go Pub closed due to lockdown but Travelodge still open 637)All Good on AC 43 638)shows as not working but ok on ccs 639)Took a couple of attempts and 3 calls to the operator but got it going in the end after downloading the app and the charger being remotely restarted For some reason the unit number to type into the app is written by hand on the charger and is not the one on the official looking plaque attached to the machine Operators were all friendly 640)Looking into the charging history of this unit I can see this charger has been working correctly both today and yesterday However if you experience similar issues in the future please dont hesitate to give us a call and our dedicated customer care team will be more than happy to solve this for you there and then Marty 641)bppulse successful charge 642)Working fine 643)bppulse successful charge 644)Thank you for the report and this socket is a 63A however certain cars will be limited to 7kw this will be due to their battery size of the car For further explanation please call our 247 customer service line 0330 016 5126Jason 645)Tip top In pub car park 646)Full 50kWh so great 647)Working fine Used this one as Skelton Lake services chargers are all not working 648)bppulse successful charge 649)bppulse successful charge 650)Worked a treat and quick user interface and connection to car Renault Zoe 135 651)Needed a reboot before it would work but ok now 652)Full 50kw supplied to car dont often get the max quoted 653)Easy to find 654)Works fine No issues 655)Successful charge Dark and raining lights in the car park not great 656)Not sure if only 1 connector can be used at same time despite two parking bays One guy was on one connector and I wanted to use the one that was free but touch screen was stuck on his charging status Seemed no way to activate other connector until first car finished 657)Worked well easily accessible no issues 658)Successful charge 659)All good 660)44kW pub looks nice from outside Good CoVid protection rules here 661)All Good On AC 43 using polar plus card 662)Fast charge 663)Worked fine 664)Great charger easy to find 665)Charger good 666)Good charger 667)Brilliant 668)No issues with charging or app well priced Plenty of space in bays which is great Didnt get 7kW so seems that the chargers load share between 2 EVs got more like 4kW However this was not an issue for me as topping up battery only 669)Wednesday 28th December Charged ok but slow Only Getty Ng 10amps most of the time Added about 30miles 670)Currently charging ok but its only 3 or 4 kW 671)The charge was okay but slower than I would expect for a paid service Also pretty upset that I had to pay 12 to park when I only was there to get some charge I dont recommend this venue 672)Fine to charge but not drawing 7kwh 36kwh according to my mini app Really disappointing as these were fast before and we were there nearly 4 hours 673)Most charge points were taped off These ones had cones in front of them but A worked fine 674)No charge tried to confirm charge but kept getting message that charger was already being used Looked like other users hating same issue here today Most chargers were not lit up or red 675)Unable to charge here today as all full very busy car park get more chargers 676)All seemed ok with connecting and starting charge at first returned to the unit after shopping and there was no power to it All lights off and no charge Only unit which seemed to have an issue 677)All Good Now 25p per kW 678)From 160821 no longer free 23pkw 679)Easy charge 680)Free charging coming to an end From 16th August it wil cost 23pkWh 681)This is a great place to charge and park 682)Easy 7kW speed 64kW to my etron Plenty of spaces now 16 in total Half empty at 4pm today Wednesday Free charging if you confirm via the app then parking fee to pay 683)Getting 4kw so pretty slow charging Otherwise working fine 684)Successful charge but ball ache connecting to Pod Point app 685)Car park completely closed today Cones and shutters down Went to trinity instead which isnt perfect but good substitute today 686)All good on Fred Dave A side And only 3 to park after 5pm 687)Port B worked fine today 688)Free to charge 689)Free to charge but dont forget to validatepay for your parking ticket 690)First time Easy to follow Happy days 691)successful free charge 692)All Good On Gail Adam B parking after 5pm 0nly 300 693)Charging successfully for free 694)all working good tonight 695)Right Side Blank Left side Flash on and off 696)All Good 697)Four working the others to the right end not working but cars plugged in not clear that the unit needs to be lit up blue to show its operational we figured it out in the end ZapMap shows out of service Got a charge not much but enough to avoid stopping at services on way home 698)Five bays free when we arrived 2200 one iced and Zoe 699)All good 700)Successful charge 701)on GailAdam the app apparently didnt confirm the charge as it said so we came back to find it had timed out after 15 minutes 702)successful charge Initial problem with the app solved by retrying from the first floor toilets 703)Thanks for this parking info this has been added to the charge point 704)All chargers full Two with EVs not charging 705)Charged successfully 706)All 8 bays occupied All EV or PHEV but a bit naughty of a white Leaf to take a bay and not plug in to charge Car lark attendant nothing we can do 707)Parked 9 05 Saturday morning and plugged in Hardware seemed OK Unable to get the Polar apps to work so no charge Why do we have this pantomime when its free anyway Still no other EVs when I left at 1030 Just as well I have a PHEV 708)Parked today early saturday 1045 plenty of spaces 8 in total 2 occupied by ICEs Parked my PHEV sorry full EVers p and charged for free Came back 1hr 30 later and all bays occupied with PHEVs and EVs charging Great 709)Working well Whilst the bags are very clearly marked they still get ICED Dont need a card just log onto the website to claim a free charge Because it is free likely PHEVs will sit in there for much longer than needed to charge however there are a good number of bays 710)First ever public ev charge for me Worked like a dream 711)successful charge yesterday now pod point some ICEing 712)Thanks for this info The device information has been updated 713)Getting it to charge require to use the corresponding app and deposit money into an account Be careful you will buy the charging time in hours and not the charged amount Any unused charging time do not get refunded so need to accurately estimate the time needed to charge 714)Did not try to charge as blue light not lit as per instructions on charging post 715)fault red light on 716)Needed a phone call to the provider as the location code didnt work thru the app but otherwise all good 717)Thanks for the restriction info olgahimi This point has now been updated Admin 718)I was excited to use these chargers for my visit to Leeds Im a big fan of Ionity but I hadnt done my homework I assumed these would use contactless credit cards but no only the Ionity App In 2019 Government announced that all chargers should accept contactless payments and the users are not reliant on specific Apps by 2020 Key word is should not must and unfortunately Ionity have not done so here even though at many other Ionity chargers they do I share this so you dont make the same mistake 719)Busy site Been waiting for over 30 minutes while this car sits at 100 Legend 720)Everything working though busy all six bays full from 9am on a Sunday Charging 5075Kwh preconditioned on a car which can handle 250 never had more than 110 here No shelter from elements Useful for long trips but not exactly a great vision for the future of EV charging 721)Not too busy today Waited for around 5 mins to get space Easy enough to charge 722)Eight cars waiting Need more chargers 723)Great charge only a 15 min queue 724)Worked fine as usual still not ultra fast topping out about 100kWh 725)Slow charge battery warm low soc so couldnt explain less than 40kw All bays in use but no queueing Nice clean services for a stop 726)Tea time 2912 really busy had to wait for two cars in front of us but rapid turnover and didnt have to wait too long Used Electric Universe RFID card no problem Started at 80kW at 25 SoC then settled at about 60 It also didnt help the queue that 2 fully charged EVs were left idling for 10 minutes before their owners returned 727)These six chargers are individually capable of 350kW but nobody should expect the grid connection to supply 2 Megawatts which would be enough for 300 or more houses all cooking a Christmas dinner Individual charge rates of 70kW when all in use would require about 05MW which is perhaps what the grid connection can supply Interesting to know for sure 728)Polestar2022 commented on a slow charge but note he started charging with a fullish battery 70 where the charge curve is falling rapidly and his photograph is taken at 97 with a charge rate of 4kW which is completely to be expected Best to stop earlier so as not to use Ionity as a trickle charger 729)First time with IONITY and all went smoothly 730)Had to queue to get on all very civilised Arrived at 18 and only pulling 38kw 731)Ok but slow 40kw though frosty 732)Working fine 733)Successful charge but slow tonight presumably due to cold battery as others have mentioned 43kw for most of the charge and then increased to 94kw around 80 charge 734)Only got 45kwh but it is definitely working fine All the others were in use too 735)Never fails to unimpress max at 71kw thats with 2 spare not in use 736)Charging but only getting 34kw Colder morning but should be better than this after ten min if charging battery getting warmer Others in stalls are getting a max of 70kw so maybe it is car throttling things but the facility still isnt giving what Id class as fast charging 100kw 737)Successful charge a couple waiting to charge after me but charge rate disappointingly only 30kw our car can handle up to 70kw and the battery was empty Its supposed to be able to deliver up to 350kw 738)Free vend at 43kw Cant complain 125 miles whilst having a bite to eat 739)34kwh 15 minute stop is now an hour is the advertised speeds ever available here 740)5 is a personal favourite Usually super quick But today it is on free vend at 36kW as per Ionitys map Cant grumble its a free charge whilst on a lunch break 741)Will not connect 4 vehicles have tried so far in the last hour 742)Successful but slow again 5070kw max Not sure Id be paying a high monthly subscription after my Hyundai yr 1 rate ends for these speeds 743)Only getting 76kw Cold day 50 battery and car already done 100 miles Should be 220kw This is a charger problem not the car They are of course very happy to charge for 220kw speed even if it not delivered 744)Somewhat true but ionity have a reputation for having variable output between chargers on the same installation Have experienced same as others Get 30 something kw move to another and get 100 745)1st one I tried was only pulling 34kw Moves over a bay and got 159kw straight away 746)Good charge started 125kw but dropped to 41 plus has to wait all six chargers were full and 3 cars waiting 747)The car decides how much power to pull through If the battery isnt warm it will take longer to charge Its the same with range if your car has a departure time setting it may warm the battery before you set off increasing range but also allows the battery to charge faster 748)Working well fast charge 749)No longer free today 750)A and B both working fine today 751)Successful charge on socket A 90 minute maximum stay in the car park Charging bays are the first two on the right when you enter 752)Good reliable charger getting busier both chargers working fine well done pod point for providing a reliable network So so important to have that confidence 753)All good here at both connectors well done podpoint 754)68 kW charge all good both chargers well done podpoint 755)Successful charge free parking maximum stay 90 minutes Charger located immediately upon turning right into the carpark 756)Used this morning all very good even a bin next to it to put any rubbish 757)All four spots iced busy car park 758)Remember to register to pod point instrutions on charger and us A first confirm on app or you will only get 15 mins charge 759)Worked but 90 mins Max in car park or 100 fine Bit pointless 760)Both connectors working fine Currently on freevend 761)Point works great Doesnt appear on podpoint mapapp but contrary to its signage doesnt stop after 15 minutes 762)Couldnt find on podpoint map Phoned helpline and they couldnt find it either but it started to charge without usual confirmation via app Expected it to disconnect after 15mins but carried on Gave me 10 in about 45mins Fine 763)iced at first when I finally got plugged in the charge point didnt come up on the app rang PodPoint who couldnt find it either nothing they could do 764)Socket B Iiggy Adia All Good 765)Cant confirm charge Says already confirmed 766)No longer free 28p kwh 767)No longer free Changed to 23p pkw this week 768)Successful charge Started slow at 31khw then increased to 52kwh 769)Successful charge Was lucky enough to get a spot on a Saturday lunchtime 770)No issues charged first time busy 771)Great quick charge whilst shopping 772)Location always full these days Pod point need to add more 773)Only charged for 10 minutes even though charge confirmed in app Reported to podpoint However same device had same fault 2 weeks ago Moved to another and charged with no issue 774)All spots taken Not enough bays available 775)Started charging ok and then dropped out and would not restart 776)Fortunately got a space as was very busy One charger out of action 777)Successful charge 778)Successful charge on A side Busy spot Only one space available at 1930 on a Tuesday evening 779)Red light on point A reported to pod point 780)All good 781)Charger working so all good 782)Connector A is not working showing as red on the point but app says available reported to pod point 783)Had to move the car 2 times as they were not working This one Worked but super slow Free so not moaning at all 784)All chargers working and plenty free Nice free top up whilst shopping 785)Started at 74kwh dropped to half power after about half an hour Cant complain as its free while shopping but suggests the area is underpowered if all devices are charging 786)Worked perfect earlier today 787)Problem with right had port drawing power 788)B all good 789)A isnt working no lights B is working but only at 36kW my car can take 11kW Great to see so many charge points but all full at lunch More please 790)Slow charge 10 mh Always busy at white rose these days too 791)Quite busy but 2 spots were available Easy to use app 792)Got the last spot far too many Hybrid cars taking up spaces 793)All Good 794)Charging but only at 4kw not bad if going out for a meal 795)Slow ramp up to 7kw but added a good few percent while shopping 796)Successful charge half power 38kw only though Suspect this is due to the hot weather podpoint downrating to protect itself 797)Nice and quick shame someone parked their petrol audi q7 in the next charger bay the security need to do something about that 798)Charge OK 799)Seems to be working ok now 800)Seems to be working fine now 801)Successful charge 802)Worked first time via contactless payment and ccs charger on a seat mii electric 803)All ok Tried one of the lamb samosas from the shop Really tasty He has a microwave No onion bhaji today but Im sure theyre nice Feel free to try one for me and post comments 804)All good 805)Charged ok but power fluctuated Started at 42 kw down to 13 back up to 25 finished on 21 Not sure if this is normal its all new to me 806)Nice garage friendly chap in the shop toilets for customer use coffee machine 807)All ok 808)All good on AC 43 using polar plus card 809)working fine had to wait as one charging and 1 waiting after me gonna need a lot more chargers soon 810)Adequate parking space Charged at 42kw to 50kw Nice selection of homemade Indian snacks available at the shop 811)All Good On AC 43 using Polar plus card 812)All Good On AC 43 using polar plus card 813)Successful charge 814)Could not get charger to work kept getting No Translation Available error message 815)Couldnt get it to work Kept saying no translation available 816)no translation available error phoned support who reset the device but still not working 817)First time charging my new EV 818)All Good On AC 43 Charger next to exit of service station 819)All Good On AC 43 charger in next to exit of service station 820)location is clearly incorrect 821)Just bought a Model 3 and new to charging What is the charging rate per KWh and when is off peak Many thanks 822)Quick stop to charge Very successful 823)No other cars charging at 112kwh 824)You know that the car can only utilise the higher charge rate when the battery is depleted As the battery percentage increases the charge rate decreases As confirmed by a previous post saying he got 202kwh out of these chargers with his car at 2 825)All Good 31p per KW Model 3 826)Fast efficient charge 160kWh at start 827)Place is full but still very quick today 828)Great they all look like theyre working TBH 829)Many bays filled with cars not charging but still only managed 63kwh Also a pretty tight car park with all the service carscars to be collected 830)Disappointing that Tesla have not included type 2 connections here as they did in the new Manchester South Superchargers I asked in the store and they offered to book my car in for a retrofit for I forget how many hundred pounds Its a tight space full of Tesla tourists getting in the way gawping and posing for photos in front of the cars The only good thing from my point of view is the two Superchargers at Capital Boulevard are a bit quieter now 831)This is a Tesla servicepickup centre that gets very busy and doesnt have enough space for its visitors cars During centre opening hours expect the charge bays to be full and blocked with parked vehicles Id charge elsewhere if possible 832)These are V3 chargers so charge to 250kw with separate current so doesnt matter how many teslas are charging you get your full current Insanely fast charge 40 in 10 minutes 833)Permanently ICED by residents parking Applies to both charge points at this site Old School House Victoria Gardens 834)Took ages connect and then wouldnt charge fast 835)No problems connected very quickly Close to 50kwh 836)180 mph all good 837)Plugged in Connected okay Started charge Point fired up Made charging noises for about 10 minutes then stopped Got out to check and it was continuing the session but charge complete Emailed receipt attached showing zero charge Second ENGIE point Ive been to in a row where this has happened 838)Nice new charger working well 839)All good 840)Some light fingered so and so has pinched the CCS cable Will be reported to Engie Charger 01068 841)Covid testing using the car park but charger is still available 842)Working fine today 843)All ok 844)Keep arriving to this charger to find someone has smacked the emergency stop button Either vandals or a regular who doesnt know how to stop a charging session Charging working fine on chademo 845)Charging fine on chademo 846)First attempt failed 2nd attempt was perfect 847)Despite being shown as out of order did a good overnight charge here Seems fine 848)Often ICEd by shop patrons but otherwise working fine 849)Paid using the app one false start then worked fine 50kw to start but dropped to 30kw towards the end 850)A couple of false starts but it works and delivering a decent charge Good location next to some bars and cafes rude not to 851)Type 2 not working Other ports fine 852)I think it was more an App issue but I couldnt end a charge without the blue tab at the top of the phone etc so I had to press the emergency switch got my lead out ok 853)Emergency Stop button need resetting prior to a successful charge 854)Working at last simple tap and charge Not as fast as some but good enough 855)All good First charge of new car Seemed slow but I dont have much experience 856)Works great with GeniePoint app 857)Charging rate is very dependent on battery temp and state of charge On a freezing morning my ZS is down to 27kW at first 858)All good only getting 38Kw though This is my first time EV charge so might be normal 859)Worked fine and charged at full 50kw rate Pretty busy however 3 cars arrived whist I was there The 22kw charger was not working it thought it was connected to something but was not Another customer tried to get in touch with GeniePoint two did not pick up the call 860)Nice range of cafes across the road and an occasional farmers market 861)Good fast free charge 50kwh cch cable too short to reach right hand bay so had to use taxi only left bay Yan Chen has left debit card on the charger 862)Initially failed to start using either RFID or web page Rebooted machine and it started behaving Got best rate Ive seen on one of these boxes 48kW 863)Type 2 charges fine 864)Working fine for me this morning 865)In use Only taxi bay available 866)Good fast charge 867)Working perfectly on CCS 868)Works fine 869)B Doesnt seem to work One charger devoted to car club Other one plugs in fine but car indicates charging finished when it hasnt started Charger wont accept apps or cards 870)No longer free to use 871)All 4 connectors now working Free to charge just plug in to start 872)4x connectors 7kw only 1 is working 1 other shows as available but cant lock the cable in so wont allow a charge to start 873)successful charge on both sockets 874)Although the Whitehall Road Car Park website suggests the charge point is only accessible weekdays 95 I arrived on a Sunday at 1030 at managed to persuade the guy on the intercom to open the barrier to let me charge This lets you in to a private section of the car park at the back where parking is free Stayed for just under 3 hours 875)Good facility Barrier but use intercom for access It may be 24 hours I visited at 2pm on a Saturday so outside of office hours 876)As James1980 reports 1 2 bays but only 1 available the other is reserved for CarClub 2 Barrier access means you are reliant on someone being available to open it Dont bank on it other than during core office hours 3 Nice big spaces 877)Both sides working fine now though side B reserved for the car club PHEV Access from Whitehall Road as before no access from Wellington Street as of yet Regard it as office hours only for now 878)New position but note red lights both sides Screen message reads ERROR TAMPER 879)Thanks for the info The device will be marked as out of service until we will get the info that it is open again 880)Three marked bays iced but had a chat with one of the reception guys who said if could use the car club space He also confirmed 3 hours parking is free but that the charger is closing and will be a few weeks until its working again in the new car park which will be barriered off so you will have to buzz through to charge 881)Left hand connector the public one works fine for my leaf polar card Both sides correctly displaying in the CYC app as in use 882)Can anyone confirm that the 3 hour free parking mentioned here is still on What car park operator runs this please 883)As others have said this is not way to find It is behind the fence in the far right hand corner of the car park It is a double type2 charger but the right hand socket says reserved for enterprise car club and one of their leafs was indeed plugged in so couldnt check if that socket would actually work for others if free Left hand socket worked fine for me though so will be easy next time 884)Fantastic charge can park free for 23h parking attendant told us 885)Charged successfully and didnt have to pay for parking 886)Successful charge but some discussion with the wardens who patrol wellington central about how long you can stay for They say 2 hours 887)Turned up with my new leaf to see how it works Downloaded the appregistered the card Called the helpline to get the flap unlocked Started the app told it what charger I was on and plugged it in Its a bugger to find the point though As others have said satnav takes you to a ncp car park You should put in Whitehall road The chargers is in the far rhs of the car park as you drive in It looks inaccessible but you can get to it 888)The pin on the map is correct but dont follow directions Access is off Whitehall Road through the car park The point is in the far right of the park through a gap in the fence Access is 66m 889)4 marked bays 2 permanently ICEd one reserved and the only charge point permanently occupied by a hybrid Waste of time really 890)We got them on the EB app but they all said busy They arent free but 39pkwh Never found a BP pulse charger which is showing on BPs site Thankfully I was only going to charge as I was at a concert and it made sense and I didnt need the miles to get home 891)All posts now not accepting BP pulse cards told to use EB app but as they dont appear on the app cannot charge Leeds city council wont do a thing as they say its EBs issue funny that all the council vans can still charge 892)No idea how to successfully charge here Tap card what card 893)70200 point B out of action still 894)I usually park here but its the first time I have tried charging Luckily it was just a trial run The location doesnt even show up in the app Even though its listed here According to the app the nearest chargers are at the University Even if it did work I dont think I would bother again very tight for parking compared to upper levels 895)Absolute shower of shite I cant get connected to any of the chargers Apparently only Leeds City Council can connect as theyve been given a special card as theyve all been taken off line Thanks for that 896)Absolute shower of shite I cant get connected to any of the chargers Apparently only Leeds City Council can connect as theyve been given a special card as theyve all been taken off line Thanks for that 897)I have been driving to work for 3 months and have successfully managed to charge my car twice Cannot rely on these chargers not even for a top up might as well remove them 898)This whole setup is a complete joke The only working chargers are blocked by LCC vans This particular charger 70204B had a green available light but had no connection to CYC so cannot start a charge 70204A was showing a red fault light Very frustrating experience dont waste your time coming here Spaces also far too small lots of cars deliberately parked across two bays wouldnt want their ipaces dinging 899)Charging at 4KW all day but sufficient to top up car still lots of vans 900)Wow dont use this point if youre in a rush took forever to get connected with Charge your Car probably not helped by the lack of signal in the carpark once connected charge fine 901)Such small spaces When theyre all stocked with council vans theres no way a normal car can fit in the spaces 902)34 spaces available in the evenings lots of vans parked picture taken at 1830 on a Thursday 903)Shame spaces filled with Leeds city council vans not even plugged in had to go else where 904)Full 7kw 40mihr 905)only three vacant EV bays presently a lovely EV selection 906)Im charging on 70201B and there are plenty of EV spaces available currently 907)Can anyone tell me what the parking arrangements are for EV permit users I think this is a council car park so should be free to park Do any arrangements have to be made when it comes to in nd out barriers Thanks 908)Charged on 70203 today When we got back 11pm most points were being used by Council vans 909)Some points giving max 16a 3kw ish reported and told they will monitor it moved to 70201 full 7KW 32a 910)70201 B side charging fine Cones have appeared here now and markings on some spaces but not all 911)Worked fine this evening using polar plus card Some bays were ICEd and council vans charging in others but two points were available 912)CYC app wouldnt work Had to call for assistance and had to use automated dialin service to get it going If late evening going to concert etc best to prebook 913)went to charge here last night most charge pointed taken up by leeds council electric vans so definately worth prebooking 914)All good on 70204A 915)Charging fine 916)Great service if you can get a space Reserve the day before by email Should be signage to prevent non EV drivers parking there 917)Lots of bays and free charging Well done Leeds City Council 918)Charge points are on level 3 so down from main entrance Several bays were iced on Saturday but Id reserved by emailing carparkingseniorsgovuk the day before They put LCC yellow cones in the bays 919)Units working with CYC network card or app free of charge to use Highly recommend to reserve a charging bay in advance by email CarParkingSeniorsgovuk 920)Units working with CYC network card or app free of charge to use Highly recommend to reserve a charging bay in advance by email CarParkingSeniorsgovuk 921)Units working with CYC network card or app free of charge to use Highly recommend to reserve a charging bay in advance by email CarParkingSeniorsgovuk 922)Units working with CYC network card free of charge to use ICEd issue resolved by prereserving space in advance by email was helpful and quick to respond to my request There also appears to be two bays permanently coned to avoid nonEVs blocking all bays Charges are all ideally situated on 3rd level Free to use with CYC membership app or RFID card 923)A bit pricey But working fine Non electric Delivery cars ie just eat Uber deliveroo keep parking here 924)It put leckie in my car epic After it meant I could go further than before 925)Fine as always 926)Works fine but 3 diesel cars parked in the 3 electric points Absolute joke Had to go in to McDonalds and ask them to ask people to move their cars 927)3 chargers not bad at all 928)Successful quick hassle free charge 929)All cables stolen by local dbags Welcome to Morley folks 930)Successful charge 931)great 932)Great charge 933)I was there earlier today Usually works fine but my VW E Up wouldnt charge longer than 1020 seconds Received an email from Instavolt to say theres an issue with some of there units when charging a VW 934)Successful charge steady 41kw 935)Full speed charge 936)All good 937)perfect 938)Always find the Insta Volt chargers reliable Connected straight away using my RFID card If you are new signup to the app using my referral code TcO83 for 5 free charging credit 939)Always find the Insta Volt chargers reliable Connected straight away using my RFID card If you are new signup to the app using my referral code TcO83 for 5 free charging credit 940)Always find the InstaVolt chargers reliable Connected straight away using my RFID card If you are new signup to the app using my referral code TcO83 for 5 free charging credit 941)Always worked been here so many times Instavolt is definitely the most reliable charger out there have never really had a problem Although does throttle pretty hard when it gets to about 3 degrees But I guess thats what to expect at that temperature 942)Fast charge Device 2 blocked by McD employee but was fully charged and was there for the full time I was there 943)Nice coffee too 944)Quick easy reliable 945)Need to charge your Electric Vehicle I use the Instavolt mobile application its really simple to use and I would recommend that you use it too Enter this referral code TcO83 on signup and we will both receive a 5 account credit after your first charge 946)Need to charge your Electric Vehicle I use the Instavolt mobile application its really simple to use and I would recommend that you use it too Enter this referral code TcO83 on signup and we will both receive a 5 account credit after your first charge 947)Need to charge your Electric Vehicle I use the Instavolt mobile application its really simple to use and I would recommend that you use it too Enter this referral code TcO83 on signup and we will both receive a 5 account credit after your first charge 948)Most reliable sign up with referral code toWad to get 5 credit into your account 949)Another great InstaVolt charge after the 2 ICE cars vacated the chargers Need an automatic parking fine for non chargers 950)Easy location and nice new McDonald 951)Just 3 mins off the M62 and the easiest charger I have used so far just tap your payment card and plug in and you are charging no faffing with apps and logins Why cant they all be like this 952)Another pain free InstaVolt Charge 953)Good but not as fast as Instavolt usually are and I was only on 18 954)Good charge but only 25kw from 50 955)Another brilliant InstaVolt charge 956)Charged fine afternoon of Sunday 15th August 957)Charged okay but only up to 30 kW output 958)Successful charge Only 31kWh at 51charge 959)using the app use this code for 5 free credit F6Ljt 960)So easy and fast 961)Easy to use just tap your card and start charging 962)Easy to use 963)Awesome as always 964)Cable released by tapping RFID card and barrier opened automatically so the escape couldnt have been better So good I came back for more today 965)Connected using the Octopus Electroverse RFID card without any issues Staying at the Park Plaza hotel so needed to take a ticket when entering but the barrier just went up so assumed ENPR system Might be fun trying to get out tomorrow especially if I have a locked in cable 966)If your cable is left in more than 2 hours after full charge is reached the cable gets locked in You have to call the supplier to release your cable 967)Successful Charge but mixed experience got there at 9am mid week and all were empty Chargers easy to find on the second floor Simple to charge need their app Charging price is reasonable but tbh Car parking charges were very steep On return to the car all spaces were however taken by EVs and mostly not even plugged in My charging cable was locked into the machine and I had to ring them to get it released they couldnt find the charger or car park and had to do something at their end before it appeared and let them release the cable 968)Successful charge using Jaguar Charging app 969)Arrrgh heinous crime EV occupying a charging bay without even plugging in Should know better 970)Successful charge but had to call assistance to unlock from the box 971)Charger is on second floor All seemed to be working but had to call Franklin energy as device didnt appear on the LiFe app and couldnt select it as a charger However after calling them and asking the woman managed to start the charge remotely Full charge overnight now 972)Allstar RFID card would not work on the three points that were available 973)Yes my cable got stuck Lesson is use the app to stop charging first 974)Beware your charger cable may get stuck in the unit This happened to me both times I used this location over the weekend with no customer support available 975)After a false start with one of the chargers and a quick call to customer services v easy charge point Not the fastest but still good for an overnight charge while staying on nearby hotel 976)Make sure to activate the charge online before plugging into the car 977)CCS2 combo working ok through GeniePoint app 978)All good 979)37kW average charge Was running at 48kW initially and also only car plugged in When came back someone was using the type 2 so perhaps that lowered the CCS Overall easy process using the APP and a bit of charge whilst picking up some shopping 980)Located at bottom right of car park as u drive in Easy plug in hit charge on shell app Charge away 981)Works reliably with an RFID card not so much using a mobile app 982)Used ok this morning 983)Connected ok eventuallybut was not very rapid 984)Similar issues Ordered an RFID and can now use Thanks 985)Been out of service for a number of days No public charging available in Horsforth or Cookridge Great stuff 986)Straightforward 42kw 987)After a faff to register managed to top up the car while shopping Mostly because I wanted to try ccs on my new car 988)Hi Im looking to charge my car at Morrisons Car Park horsforth Leeds tomorrow please can you confirm there are no parking restrictions ie that it wont generate a parking fine if it exceeds the usual parking time allocated 989)Dont know what up but its absolutely roasting this point charger dont feel safe to use because of that 990)All good 991)Charge point is a combo one and is working ok 992)Successful CCS charge on 221122 using Octopus Electric Juice RFID Consistently 43kW and very easy to use 993)Usual GeniePoint charger Quick and easy to use Unsure of parking though Lots of signs about paying for parking Can anyone shed some light if this includes whilst charging 994)Worked smoothly and had space for two vehicles 995)Someone was on CCS so I used Type 2 Both working fine earlier this evening 996)Someone pressed the emergency stop button before I arrived so had to reset it just a simple twist of the button Got a full charge whilst I had my lunch but despite sending the stop request 3x on the app it would not endstop the charge I pressed the home button on the charger and it stopped the charge and released the cable Works with quirks is what I would say on this one 997)All good but not sure about the connection fee because cant see on the website 998)All good 999)Yet another app download but worked fine at 42kW charge rate 1000)Quick charge went right to 100 1001)Working in and in fine order 1002)Engie web app is absolutely rubbish Cant check state of charge 1003)successful Charge 1004)All OK on chademo 1005)Good speeds Right next door to a drive thru Starbucks which opens really early 1006)Charging at max 50kW Happy enough 1007)Successful charge No issues 1008)Works fine 1009)Successful charge 241221 1010)All Good On AC 22 1011)1st successful charge in 7 weeks 1012)Slow to connect but working fine The emergency stop had been left engaged which didnt help 1013)Charged today and work perfectly 1014)Have now tried to charge 5 times without success Use same at ASDA on Old Lane no problems 1015)64kW Busy at Sunday lunchtime All in use 1016)64kW Videos are fixed now 1017)All chargers in use despite no longer being free 1018)All good 1019)65kW Not bad 1020)Used JuanBuck socket B Confirmed charge on app as I have done before All seems well yet when I returned to the car I found it hadnt charged at all 1021)2 DS3 together nice 1022)All ok 1023)All good 1024)63kW quite busy today 1025)First ever charge in my newly collected car thankfully totally trouble free 1026)65kW All good 1027)64 successful All 4 in use and working 1028)Working fine averaging 6kw 1029)Successful charge 1030)Successful charge but I never seem to get more than 64kW 1031)All Good 1032)Socket B is working fine 1033)All good 7kW 1034)Great free charge whilst taking mother in law shopping 1035)Cant believe how many chargers there are So refreshing 1036)I plugged in and got a free charge Its 12 to park if youre there more than 2 hours 1037)Working fine using the APCOA Connect App 1038)Tried one on level 3 but it reported it as in use already in the app Tried device 24 on level 1 which went through fine in the app but just didnt charge the carand left an open charge session in the appwhich I had to pay a 20p convenience fee for to close after leaving Third try on device 23 worked fine So not exactly a smooth process Make sure you have the app set up and ready before you want to use it as it takes ages to set up 1039)How much did it cost 1040)Seems like half the chargers are taped off so I wouldnt rely on there being a charger during busy periods hopefully they will unblock them off soon Very good concept and currently still free to charge 1041)Despite being quite new and under used several of the devices on level 3 arent working As of 1912 no payment system is in place as yet so just plug in If it doesnt work try a different one and please report the faulty one to staff in the office on level 2 Devices on level 1 are not yet operational 1042)Still free Charged with no issues Loads of free bays Have to pay for parking 1043)Just plug and go free charge overnight aside from the parking fee of course Brilliant 1044)Perfect location and charge plug and play 1045)Terrific set up 20 for 24 hour parking but free charging for now Only 4 of loads of spaces being used today 1046)Currently just plug in and free Not sure how long for but there are SO MANY of these so refreshing 1047)Successful charge Currently free 1048)Successful charge Currently free to use 1049)Socket B on this unit is faulty shows on screen Socket A appears to be working fine lets you start the charge but disconnects within 1015seconds Called through really helpful staff restarted unit started charge from their end tried everything and ultimately had to book ENG as could see the fault their end Generally zap info is out of date also here price wise rate is 50p connection fee followed by 55p Per KWH 1050)Contactless I needed app and it didnt work properly the first time I downloaded it Quick support call and then fine after second download 1051)Works fine once downloaded app 1052)still not active 11 July 2022 1053)22kW free but you need to download Charge Assist app also free 1054)Chuffed to get the last very tight space for a free vend at 12kW Do bring your own type 2 cable 1055)Works perfectly well all sockets seems to be working 1056)4 x new chargers installed and fully operational 1057)has this been fixed yet 1058)charger on first corner of car park 1059)Nice wide bay amazingly wasnt ICEd despite a full car park 1060)Theres actually only one charger here not two looks like it used to be 1115 but is now 1078 for some reason But its working OK 1061)App cannot connect starts okay with RFID card 1062)Successful charge carpark is full of travelers complete with caravan Lorrys No the safest place to be hanging around charging at night 1063)Just charged my car for just over an hour on the DC CCS charger Do note that there is a 10 fee if you stay over 70 minutes Worked well and was free Will be free until 29th October I believe Added bonus was I chatted to the parking attendant and he checked whether I needed to pay for the car park and apparently its discretionary so he said I didnt need to pay car park fees 1064)If this one is full or not working there is a second charger just further down the car park have tried to add it to the map 1065)One side ok The other side iced Difficult taking photo because of bright sunlight 1066)Is the parking free if not what are the prices 1067)Partially charged as charge rate was very inconsistent dropped down to 14kw instead of 50kw Free though so cannot complain more importantly It works 1068)Charged yestrday all ok Chademo 1069)CCS charged before me All ok 1070)Charging all okay 1071)Successful charge free to use but do need to sign up for account so you will need a smartphone with you 1072)Successful first time charge at this charge point 1073)Finally able to charge with the RFID card 1074)In full working order for me 1075)All good here 1076)works great had cobwebs on it 1077)Successful free charge 493 kW 1078)All good 1079)Couldnt make it work Made all the right noises but car showing charging fault Also car park is home to Travellers at the moment 1080)Traveller site has been moved on Charger accessibly again 1081)Free for 75 minutes 1082)successful charge ccs first ever as newbie ev owner 1083)Free for 75 mins mixed glass and paper recycling here too 1084)Perfect charge with all star 1085)It looks like one is designated for taxis only ENG01112 and one is designated for public use ENG01113 but you can use either via the Bonnet app Only ENG01113 is available on the GeniePoint website Strange 1086)Full 50kW its actually ENG01112 not ENG01179 not sure why it says that on here Used the Bonnet app to get it for 50pkWh amazing 1087)Whole car park closed for filming crew 1088)Working fine 1089)Working fine 1090)Working all ok 1091)Whole car park is full of camera crew again Cant get to the chargers 1092)Working perfectly There are two rapid chargers here not three 1093)No access to any charging point due to filming vehicles taking over full car park 1094)No access due to filming vehicles taking over full car park 1095)This seems to be the only connection working at the moment talked to other drivers there who havent been able to connect to the other devices Really poor One of the 2 spaces available seems to be allocated to taxis only 1096)Just managed to get to the charger after a busy day and it said it was working It wasnt and had to crawl to Leeds to get one on my way home 1097)Only got 23kwh below 80 not full fast charging 1098)All is good 1099)Good charge 47 KWH 1100)No issues all good 1101)First ever successful charge here About my 6th attempt in various EVs Nearly didnt bother trying it today so glad I did 1102)Working perfectly 1103)Working fine tonight 1104)All good today working fine 1105)Wouldnt connect via web app Faffed around and eventually started charging but machine and webapp didnt say it was charging Consequently could only release with emergency stop First issues Ive had with this one 1106)Nothing wrong with this Was in use when I arrived Customer service reports multiple people charging successfully in CCS and that only the AC is unserviceable 1107)Type 2 temporary unavailable apparently 1108)Connects charges for about a second then clicks off Not a compatibility issue as the Guiseley and Yeadon ones both work absolutely fine Never yet managed a successful charge here 1109)All seems fine on the Chademo 1110)Another good charge Never had an issue with it so maybe some makes of car just dont like it 1111)Very good charge approximately 20kw added in half an hour Easy to use just swipe your bank card 1112)Same problems again doesnt ramp up and start charging Worked once for me last week Called Engie spoke to very helpful lady but no luck Machine reset etc tried holding charger in remote charge and still failed Engie will monitor this week to see when it does and doesnt work and send someone out Seems worked fine on combo yesterday for someone 1113)Worked for me last night around 6pm Managed good charge in 30 mins 1114)Tested the type 2 for about 30 minutes and all seemed fine 1115)Chademo seems to be ok Connected fine and good speed 42Kw ish 1116)Still cant get CCS to work Been ongoing issue for weeks Starts charge then immediately cuts out Type 2 connector working ok 1117)Looks like its working again showing green light 1118)Reported out of service EGenie aware Stated a comms issue between them and the device No estimated fix time given 1119)Tried CCS and Type 2 Both dead Car didnt even register that it was plugged in Car charged fine later at another location 1120)Looked fine on the charger but app reported error 1121)All good Part of Genie which took me ages to work out 1122)Took a couple of goes to get started but all good using the GeniePoint RFID card 1123)Fast charging CCS and CHAdeMO cables have been cut Vandalism suspected Reported to Engie Ok charge with Type 2 1124)Great charge Really interesting chat to the guy charging his EV next to us Ryan from a company who fit charging points solar 1125)Good quick burst earlier this evening to my 30 Leaf Accidentally closed app in phone couldnt get back in had to red button to stop charge Reset ok 1126)Good location off J30 Charger working fine Loos available in the leisure centre 1127)Passed site again Thurs 14th am caravans gone tidyup underway 4pm carpark back in normal use 1128)Carpark full of travellers caravans vehicles charge point appeared to be caravanned Wed 14th April 0845 1129)Would appear to connect but no charge drawn Support rebooted still shows error Went to Marsh St car park for successful charge 1130)All good this afternoon to my 30 Leaf And filling fast in the milder weather 1131)The app needs some help you still need to press okay and connect on the machine when using 1132)Weds 26122 good to my 30 Leaf Apols for late reporting 1133)All good to my 30 Leaf albeit a little slow 1134)43kw all fine 1135)All good midpm 30 Leaf quick top up for a busy week ahead 1136)All good earlier this evening 30 Leaf 1137)All good on AC 22 1138)All good this afternoon 30 Leaf While Im using the chademo Engie website shows the CCS as in use which it wasnt Guess its their way of saying the ccs was occupied ie not available while I used the other DC 1139)All good earlier this evening 30kWh Leaf 1140)Wasnt working called Engie got straight through reset charger and all working 1141)Working closer to 40kW but still a decent pace 1142)Someone using 50 so the 22kW was more like 7 but did top me up a few miles 1143)A Nissan Leaf was hogging the chad and only nontaxi bay It pays to check the machine to see how long someone has been charging for on arrival theyd been there 45minutes About 2030 mins later theyd reached 100 or target charge so fortunately the machine shut down the chad to allow the CCS to charge Risked it in the taxi only bay 47kW rate in my car so this machine is putting out a good rate this morning Left after 15 mins Leaf still plugged inpoor show 1144)Could not get the darn thing to work It is usually okay I called the helpline and the announcement said that engie is currently have problems with connections so I resorted to the 22kw AC socket which is working 1145)Successful but very slow Started at approx 64 charge and max rate seems to have been 25kW 1146)All good 1147)Successful but slow Started 29 soc and speed of 46kW Dropped slowly down to 40kW at 4050 soc and remained there until reaching my desired charge 90 New charger 18c ambient Should be getting 4850kW to my etron Seems like the Engies around here are slowingthrottled 1148)First ever charge Very smooth once my account was set up 1149)CCS working fine but limited to 30kW 1150)Just to mention about starting a charge this Engie charger is newer and a little different than the others in the region When connecting from the website it will look like it is connecting to the car but seemingly doesnt The clock just counts down Look up at the charger itself it will be asking you to authenticate by clicking OK Click OK and it will connect and start charging 1151)Good charge 48kW Only issue here is the taxi space is next to the DC CCS cable which is fairly short Had to park my etron at an angle to get the cable to fit 1152)All good Sat 22nd May 30kWh Leaf Free is good Planning notices on display for 2x air source heat pump roof solars for the Sports Centre 1153)Great that its free but seems slow Average speed 25kwh between 25 and 75 1154)All good today followed Engies advice to do follow the app instructions then switch to the machine instructions only connect when told to Urban terrorists on quads scramblers roaring around no helmets no numberplates no regard for other road users hurtled off towards Leeds 1155)Easy to see from the A642 unlike the BP at the Toby Carvery 1156)Wouldnt initiate charge either via RFID bank card or Engies web app Machine only just over a month old Worked ok for me last week 30kWh Leaf 1157)Worked all good perfect abit slow but another car was charging 1158)Charged but not free anymore and expected me to top up first instead of just charge my card and account Poor show really 1159)A Good again after faiing to boot up last week 1160)All good 1161)I should have learned to never use this site But in desperation I gave it one more shot Cable got stuck Charge stopped after 30 seconds Helpline not working Had to wait 20 minutes to disconnect If I ever say Im going here again stop me 1162)Finally working wouldnt connect at first through engine website had to call support and they said to tap credit card to start charge 1163)Now fixed and working 1164)Contacted office Their reply Distribution Network Operator DNO has confirmed that they do not expect this problem to be rectified until July at the earliest 1165)I followed up with Engie and received the below response Looks like theyre waiting on parts We are currently waiting for parts to arrive from our manufacture based in France and the parts have been held up by customs Once we receive the parts we will arrange for an engineer to attend to rectify the issue We aim to get the charger back up and running as quick as we can and we apologise for the delay 1166)Charged this morning all working fine 1167)apart from the large puddle to negotiate all working fine 1168)Only getting 20KW on CCS even with low SOC Normally get 40kw 1169)Got stuck again ted light stays on even after multiple reboots 1170)All good 1171)had a bit of a nightmare with chademo locking in to the car had to get an engineer out to switch off at the main junction box rebooted would not cut it but after all this its working great 1172)Engineers taking out of action for an hour or so fitting a meter to it 1173)website is down currently glad i have the card 1174)Went to charge Only 75mins is allowed Over 75mins gets you a 10 overstay charge Not long enough for me to make effective Im all for stopping hoggers yet feel this time limit too stringent 1175)big puddle all good 1176)working great 1177)free charge 1178)great charge 1179)working great 1180)All Good On Type 2 1181)First charge for me on these new free for next 2 years Great work by the Councils and ENGIE 1182)Charged on CCS all fine Lead is a bit short when parking in the car bay Quite well used this one 75 mins limit So never had to wait too long for my turn 1183)I had to leave without charging tried 3 times said connection but didnt start glad Alpha 2 mins away 1184)Have now painted signs on floor for two bays The one on the right is for Taxis only Problem is that the Chademo lead is not long enough to reach my LEAF when parked on left 1185)works on Chad dark car park be aware of this kerb when turning in 1186)all Good AC is 22kW socket so own cable needed Parking is Free 1187)Fast charge via Zap Pay machine only supports one at a time There are two parking bays though one bay in was occupied by a nonEV when first arrived 1188)Despite the app indications there is a fault it worked seamlessly with the Bonnet App capped KWh 1189)All good 1190)All good had to start charge on web browser instead of app as charger didnt show up First time charging away from home 1191)all working today ok 1192)Has been out of action a lot recently but a good full charge tonight 1193)All good 1194)Managed a successful charge tonight and pretty fast too 1195)Managed a successful charge tonight and pretty fast too 1196)Now working fine 1197)Device appears to be working green light lets you swipe RFID and notionally starts charge but no power is delivered 1198)Topped up easily went shopping while car topped up 1199)Great location charges well 1200)Full charge at 50kw cant grumble at all for no charge 1201)Had to wait 10 minutes but good charge This is getting popular 1202)Good charge car park is getting busier 1203)successful charge 1204)Happy the cable has now been returned to its owner and thank you very much for the wine Have a great week 1205)Wouldnt connect reported to engie who confirmed theres a problem 1206)Great charge 1207)worked fine stopped when someone connected type 2 connector but restarted correctly 1208)Charged 1 hour and 10 minutes 50kwh had to wait 5 minutes for someone to finish but all working fine 1209)The CCS charge point works with contactless as long as you follow the instructions on the screen which is on the left side of the charge point and not follow the instructions on panel which is bottom right of the screen 1210)Straight on No probs 1211)Ive seen people charging here so I thought there must be a way I used RFID press the button on the top left and then present your card I used Electric Juice Electrouniverse but SteveMGZS notes further down in the cat you can register any RFID card youve got against your GeniePoint account so I might try that next time Good charging speed 1212)Could not use the charger Tried registering entered payment info confirmed email address and then it never connected to start the charge Tried the type 2 connector as well and same issue 1213)Straight on no issues Nice big parking spaces 1214)Not working on mobile lead is not long enough for chargers at the back passenger side 1215)Still no mobile connection and they say they are aware on looking into it Rfid card works 1216)No mobile signal but started with rfid ok 1217)Charged using Shell Recharge card Not the most intuitive process compared with the other Geniepoint chargers round Leeds 1218)A B all working ok 1219)Doesnt show charging on main pod says connected on app but then no charge 1220)Says ESrop Off to find another as need full fast charge for trip from Leeds to london 1221)A really inappropriately placed post in parking spot Other than that ok 1222)Reported by multiple people including myself keeps saying OK then error when connecting Reported to Pod 1223)Working and all good 1224)Rapid is out of use err message on the CCS and charger is unresponsive Used the Morrisons Harehills charger which is less than a mile away and worked very well 1225)Great charge Tesco now charges a very reasonable 28p per kW Cheaper than domestic and faster too Not sure I understand the people complaining about the new charge It will also hopefully stop twats who sit there all day getting free energy and dont even spend a penny in Tesco 1226)Confirmed charge on app as I have done before All seems well yet when return to the car find it hasnt charged at all 1227)Nice top up while shopping 1228)67kW good charge 1229)Successful charge on socket B at 67kW 1230)Socket A working fine 1231)Successful charge on JeanOrla B 1232)Great charge on 22Kw Got solid 114Kw charging for 2 hours 1233)Good location for many reasons However be sure to get there early as the connectors get filled up vquick 1234)Worked but only pulling on average 63kwh shame really 1235)Successful charge 1236)Great place to charge for free Parking reserved for charging only as it should be 1237)68kW all good 1238)All Good On AC 22kW 1239)68kW on the 22kW unit I should be able to get nearer 77 in theory 1240)69kW best podpoint change Ive had 1241)Intermittently switching to initialising requiring car to be unplugged and reconnected Missed most of our 2 hours charging 1242)Great charge 22kW 1243)Charger works and its currently free but I can only get 12kw from 22kw charger 1244)Successful CCS charge 1245)Stolen cables have been replaced Successful charge on ccs pulling around 40kw 1246)Wires cut on fast charger Out of service 1247)Had to drive around a bit to find it its right by the entrance exit but you have to go right round to get to it 1248)Had to log on and creat an account and get verification then tried 5 times to get the account app to instigate a charge but eventually made it These chargers need to be alot more straight forward and simpleit not hard to have a contact less quick charge 1249)Easy and quick charge point using app 1250)Not bloody working 1251)Small parking spots for a big car but charged fine directly from app 1252)Contactless facility not functioning but all OK using GP app despitr slightly glitchy handshake 1253)Very near the entrance Can charge with bank card 1254)No longer free to use 023 pkw 1255)Ok but why isnt there a single high powered charger out of the 6 available 1256)Conection problems took 4 attempts then Successful Charge 1257)Looks like a brand new box Charged hopefully using my first free Bonnet charge 1258)Chademo success 1259)Fast charger worked today 50 charge in 69 minutes 1260)I had to register first with a payment card at evengiecouk All good after that 1261)First time and all working well 1262)Good charge Delivering 42kW 1263)Starts off looking promising but then the charger just resets itself No charge in the car and no bill 1264)Got about 45kwh speed 75p per kw Used the Genie app to pay as bank cards not accepted All good 1265)Price on screen shown as 042kw but this could be an old display Price was 057kw 1266)all fine charged using app 1267)Looks like a new box installed recently Good charge using app 1268)EV charger not working Staff member informed me it was reported 2 days ago As normal GeniePoint not living up to its obligation of repairing faults 1269)Only managed 2526 kWh charge but otherwise straightforward 1270)Successful charge sat 8th jan 1271)Good fast charge one of the more expensive ones but at least it works using the genie point app 1272)3rd charger in 2days that show as osprey even though still all marked up as GeniePoint 1273)Successful charge 3 days ago 1274)Full unit still not working 1275)Touch screen not working properly so no chargers available Engine call centre said they had network issues so may be affecting other points 1276)22kW connector working fine topped up while popping into the Leisure Centre 1277)Successful charge using my ENGIE RFID card 1278)Successful charge 1279)Red light showing on machine Engie site says AC only available but no connectors will charge 1280)no problems full charge 1281)Free to use rapid ccs charger 1282)The device is free to use if you register on the West Yorkshire combined authority websitea hrefhttpsengiegeniecpmscom titlehttpsengiegeniecpmscom targetblankhttpsengiegeniecpmscoma You can activate charge via the website on your phone or using engie rfid car 1283)Worked first time on ccs rapid charge using rfid card or via web app 1284)They put covid test van elsewhere in the car park rather than across the charger All is good today 1285)All good today 1286)A new version of being ICEd is now being COVID Tested they have set up a covid test station across the ChargePoint with a transit van parked across and tables around it Said they are there to 4pm today and no idea if they return tomorrow as they only find out in the morning 1287)Doesnt always work first time but persevere Also it didnt release the cable at the end of the charge so you sometimes have to use the emergency stop button 1288)Straightforward charge 1289)took three attempts but fourth worked fine 1290)Engine had to reset the charger but worked fine after that 1291)First time charge 24kW average but cant complain for nowt 1292)Showing as available but clearly not when non charging cars are allowed to park there 1293)3 mihr Good thing I wasnt desperate 1294)Socket A is OK 1295)Theyve just taken out the unit completely now So from four charging points here to just one working point 1296)Good job Omar is working but I wish Aldi would get Jean going She would bring some much needed diversity to the Aldi charging points 1297)Just one of four working Not achieving 7kw though About 4kw Better than nothing 1298)Great charge 24221 1299)Red light Not working 1300)Red light Not working 1301)OmarArme okay 1302)only one available other 3 iced 1303)Worked fine However bays were full of ICE vehicles and I had to wait for one to leave Not sure why the bays arent marked out for EV 1304)Every single one of the four ICEd This is the case almost every time I visit What is the point providing excellent charging points if EVs cant actually use them 1305)Connector B All good 1306)Bagged the last slot Range Rover plugged in but hasnt claimed charge Other 2 slots iced Very busy No signs 1307)Hi James thanks for this update the devices mentioned have been removed from ZapMap 1308)All 4 iced again Car park not even very full Same every time Ive looked 1309)4 bays all ICED no bay markings no signage Parking attendant didnt even know there were EV chargers on site 1310)All working fine 1311)Concrete pads and cable ducts only installed so far 1312)Just driven round a full car park and cant see the charge point anywhere 1313)I spoke to the store duty manager today and he confirmed these points are on the cards but didnt know when theyd be installed I wouldnt hold your breath 1314)Quick easy and affordable 1315)All good easy to start charge once the app is downloaded Reasonable price at 30p kWh 7kw not 22kw as advertised 1316)All Good 1317)Easy to use will take card and is cheap 1318)All Good 1319)All Good but these Chargers are only 7kW not 22kW that it mentions on Chargepoint Clearly says on each charger the speed as 8kW but for most EV driver that speed will be 7kW 1320)New 7 kW chargers installed and on free vend Via charge point App 3 posts 6 sockets 1321)New chargers installed and on free vend Via charge point App 1322)No security about so rang the number Needed to ring again to release cable Good charge while shopping and lunching 1323)On the BPPulse App but you need to ask security to turn it on with a key Normally it starts charging once they turn the key and you dont need to usethe app 1324)Used Side A worked ok 1325)Successful charge but had to get security to unlock the cable Left hand socket as you face charger from the road Security said other side more reliable at releasing cable 1326)one side does not charge as blue light does not turn green the other side charges ok locks in the cable Security office locked No phone number to call no warning cable will be locked Phone number to call and ask to release the cable 07773165771 1327)Bit of a joke Management suite not accessible no contact numbers little encouragement to come here in an EV in the future Post showing blue but key access try finding security good luck 1328)Hi Would I be correct in thinking this is why BP Pulse rarely come out to this charger because CP Management hold the key and its a simple method to rectify it Cheers 1329)Free to use But you need to ask the security staff to switch the charger on There is no card reader on this charger its key only 1330)Free to use But you need to ask the security staff to switch the charger on There is no card reader on this charger its key only 1331)Socket 1 worked fine 1332)Working perfectly fine 26521 1333)Used the right hand bay Plugged in made my way to office for key as mentioned in other comments No one there but car charging on return Leaf in left hand bay wasnt charging Dont know why though 1334)Left side switched is on but would not work with my car maybe because the left socket is a very loose fitting Right hand side is switched off because if you use it the socket will lock in your cable and the only way to release it is to get the security staff to switch the charger off So left side is switched on but Right side is switched off 1335)New BP Pulse charger Both sides red light Key sockets under covers Called BP they could not find it on their system 1336)I emailed Crown Point And there facilities manager has got back to me to state that the EV charging posts need fully replacing as they cannot be fixed so there looking at alternative options i did mentioned Podpoint to them 1337)Quick topup while shopping 1338)All Good 1339)All good here Out of the way not too fast but ok for a top up while shopping 1340)Successful Charge and free 2x bays with 32A sockets located at the Left Hand side of Mothercare 1341)All Good Both Sides working 1342)great little charger 1343)Successful charge 1344)Success 1345)Here around 330 pm Sunday all good on both sides 1346)All Good 1347)all working and free 1348)Great high speed charger right where I needed it Parking spaces were quite narrow though 1349)Busy but successful 1350)Fully working and very easy to use with the app 1351)Successful charge We did charge at around 40kwh on a 120kwh charger But I believe it Varys on different car batterys on how much charge they can take at one time 1352)Great 120kw charge as usual with the new instavolt chargers just make you sure authorise in the app before connecting the cable to the car 1353)Works just fine 1354)Full charge in an hour from 37 Will use again 1355)Nice and easy thanks InstaVolt 1356)Successful free charge at 67 kw 1357)Perfect charge drove past them at first and had to head back down to see them How charging should be 1358)Just some clicks and then a red light for CoraSven today 1359)All the charging bays are very narrow and tricky to park in But easy to find and fairly cheap 1360)All good Spaces are tight 1361)Trinity have now started charging on certain days so you need to have credit on your pod point account 1362)Charged twice in the past week and both times worked perfectly 1363)Definitely free cheap evening parking too Spaces very narrow It was tough squeezing between two sidechargerport cars But doable 1364)Out of interest are the new chargers set in wider bays than the original ones The original ones are too tight for standard car parking never mind EV charging 1365)And 3 more new chargers on level 2B 1366)New chargers 4 more on level 2A 1367)After LeviDion was dead I fortunately was able to move to OwenErin which had a light charging successfully 1368)Spaces are very tight and I doubt a car with the charge port at the front can get into the left most space But got from 30 to 63 in 2hr15min approx 16kwh for no extra charge on top of the extortionate parking fee 7 So if you have to park in the city centre and one of these is available and you can park in tight spaces a good option 1369)Quick easy and free charging available Parking charges apply 1370)More charge points please and also only BEVs 1371)I wanted to charge but all the bays were full with EVs charging Need more chargers in this car park 1372)Excellent like other users pointed out the spaces are a bit on the tight side 1373)Perfect charge still free if charge just one of the four spots available on Sat at 5pm but all working perfectly Stayed at Travelodge so was 10 for 24 hours parking and a full charge Bargain Perfect 1374)Is the parking charges for free too Or do you need to pay to park 1375)Great service 4 to park overnight with free charging I think it was 5pm 5am but I stayed till 9am as I was on expenses 1376)Totally agree with the previous comment Very narrow spaces particularly on this unit as is it right against the wall of the building Reliable charging point Free to use and in the city centre at good price between 5pm 5am 1377)Good charge but the spaces are really tiny so it takes a bit of care to squeeze in and avoid other cars and their cables Would have made sense to give us all a couple of extra feet of space 1378)Location Level 2 a Right next to the down ramp from level 3 1379)All good Bays could be wider though 1380)Successful charge and free of cost but the placement of the devices is awkward being in the centre of the parking space Its a stretch to plug in and out once you are parked in the bay 1381)Replenished all the miles used to get to Leeds and back 66kW starting at 10c taking the battery up to 16c with 50 mins worth of charge added 1382)Connected ok but wouldnt deliver a charge 0kW So moved to next charger and all ok Reported to pod point via app 1383)New chargers not as fast as the old ones Still free of charge but you have to commit the charge through the app 1384)Started perfectly with CmH card but only getting 40 kw in the near freezing weather 1385)All fast chargers do not work 1386)Fantastic 3 phase so managed 11kw Solid 1387)Charged at 21kw for 25 hours 120 miles of charge for c13 No faff Very easy to use Basic speed only but I live nearby and so would rather pay 40p for a slow charge than double that for a supercharge 1388)Plenty of chargers Shame mainly taken up by council vans 1389)No problem Though rapid charge was only 37kw Access to car park was a little strange with very tight concrete chicanes in place but plenty of chargers available 1390)Great Lots of spaces and reasonable pricing 1391)Once wed downloaded the app charging was simple and quick 1392)not any more changed in May to paid at 39p kwh 1393)Are the 7kw chargers here free 1394)New ones working well Consistent 47kw pull throughout 1395)This has been fixed this morning 1396)This charger doesnt support contactless It seems to require signing up with a direct debit agreement to a Dutch website Too much phaff 1397)A little bit of messing around on the app but a successful charge in the end 1398)Nice rapid charger 1399)Successful charge with Alpha App 1400)still an issue on my Zoe have emailed Alfa Power they do have 2 22kw posts on the same site though which work fine The charge starts and then immediately stops on both the tethered lead and the socket 1401)another successful charge 1402)To remind that this charger outside our office is accessible 247 to all and can charge four EVs at once Given the nearby supercharger is down Tesla drivers with the CCS or chademo adapters are most welcome to visit or use the tethered AC albeit this will be max 22kW whereas if you have CCS this will be at 60kW There is a little sandwichcoffee shop on Bridge Street about 5 mins walk away which was observed open just this morning Happy charging folks 1403)To confirm that this charger is open and accessible during Covid19 for those EV drivers whose journey is essential 1404)Excellent charge on my model3 maxed at 54kw with coldish battery 1405)This rapid will be a little busier than normal today due to Alfa Power open day people passing by wanting a quick charge may prefer to visit the Victoria service station Shell a mile further west alternatively do join us 1406)Exceptionally rapid charger Location is great Walking distance to Asda superstore and other local shops 1407)First time not able to easily get to the charger because of anoth IPace Not staying Its also stopped charging Great 1408)Quick and easy charge for my 2015 Nissan Leaf Thanks Alfa Power 1409)Fast charge easy to use 1410)Excellent unit gave me 60kW Easy to use 1411)LS7 1DH but wasnt available for use when I was there on Friday 1412)Good fast charge on chademo No issues at all for me except that my leaf manager app told me the car had stopped then it had selfrestarted when I returned to my car In good company with a 90D two iPace SE and two new leafs Lavatory available office hours 1413)Not rhat fast but its ok 1414)AA decide to park in front of the charge point very helpful 1415)Be aware that theres a new app required for charging Charged fine after a quick call to cust service 1416)Not 100 kW only giving 32kw at best 1417)Charged ok but you either have to have one of their RFID cards or the app Cant just use contactless payment 1418)Pulling 34kw but all good 1419)Worked fine at 40kw despite low SOC Not the best location lorry unable to get out of the end pump without me moving 1420)First time using them I had to call for assistance with the app but really helpful and really quick charge 1421)All good 1422)My 1st sussesful CCS charge Just testing new car 1423)Been a regular user of charging my 330e on this point for a while but today returned to find this on my windscreen basically stating Id out stayed my welcome With no relevant signage how was anybody to know Other than that the charger is the most reliable Ive used But wont be using again 1424)Lucky it has long leads they were able to reach over the 2 foot pile of snow in front of the charge unit 1425)all good as usual 1426)Another app for the collection Cashier has the key for the bog clean Lots of wagons 1427)This charger was visited and sanitised by a member of our staff over the bank hol weekend and tested all fine The Frankies burger counter inside has reopened Toilets may still be closed however 1428)To confirm that this charger is open and accessible during Covid19 for those EV drivers whose journey is essential As we understand the forecourt shop will remain open but not the Frankies hot food counter 1429)Good charge but in a bit of awkward spot as a wagon couldnt get around me as it was leaving the pumps Otherwise all great 1430)Unbelievably rapid charge Very convenient location Grabbed a quick drink from the spar while waiting 1431)Quick free top up for Fathers day Thanks Alfa 1432)Good charge more like 40kw CCS 1433)Now these chargers have had chance to mature I like them very much Come on Alfa get some more deployed otherwise thanks 1434)used this charger on way home from IKEA didnt need it but wanted to try new vendor Worked well although seemed a bit slower than Instavolt Ioniq BEV Got registered app installed within 5 minutes while at pump Ill be happy if app stays reliable Will be back nice convenient location Sadly the charger was blocked on arrival by a boy racer in their new R32 golf luckily he returned to his car left straightaway There was literally a dozen other free spaces he could have used seems to be a growing trend uprising against EVs 1435)Dropped by for a quick charge before hitting M62 nice clear display charging at 39kwh Post code for this site with satnav takes you actually past the Shell station so just be aware 1436)Successfully charged our Zoe here twice after wed worked out that we needed to use the app to initiate the charge 1437)Fast charge easy to use 1438)quick chademo charge on this new rapid pump is at the back of the Shell filling station through the HGV pumps 1439)Successful CCS charge 1440)Successful CCS earlier this evening 1441)All good after checking in with the Etron app 1442)Successful charge delivered on 2nd attempt Dodgy area One bay blocked by building materials Homeless people shooting up in the little bin store next to it Avoid especially after dark 1443)Charger back in operation and working fine A supermarket now in the building on site 1444)short charge to test rapid charge on new leaf 8kWh in 10 mins 1445)You may well the first new Zoe to visit us I understand its max DC charge rate is 46 so that seems okay Hope to see you again 1446)Getting 45kW on CCS in new Zoe 1447)with other rapids nearby being either faulty or inaccessible I arrived here on 1 Good quick reliable charge as always Thank you Alfa Power 1448)Very very dogy area Charges very fast with no issues 1449)To confirm that this charger is open and accessible during Covid19 for those EV drivers whose journey is essential 1450)Thank you for visiting We have sent you an email with some stats The ambience will be improved as the building project progresses Happy charging 1451)Very easy to use via the App Audi etron drew 33 kw in 24 minutes peak charge 89kwh This was my first public charge I hope they are all this straightforward Slightly dodgy location wouldnt be keen at night 1452)Strange place rough area lock your doors but juiced up the I Pace pretty quick Watch out for screws and broken glass on the floor in the entrance to the car park I have moved what I could see 1453)Thank you for visiting Come back one time when you are almost empty and you can see what our baby can really do Think the record on an iPace is a 79 kW charging rate 1454)Charge successful A very strange place for a charger of this level supposedly 100kW between two derelict buildings Only achieved about 50kW on a Jaguar IPace from 55 to 80 though fast enough 1455)Successful yet another app u have to down load though 1456)Now with nice bright lighting in the car park Great super rapid charger 1457)A bit of a building site whilst the pub is being worked on Working fine 1458)This charging station is frequently ICEd by inconsiderate aholes who park in the derelict pub car park thinking its free to use Alfa Power really need to do something about this Otherwise its a great charger 1459)loving the new floodlights and monitoring cameras 1460)css worked fine download the alfa power app the QR code doesnt work 1461)Didnt work at first on E Golf but phoned customer support who reset it Works fine now at 38Kw 1462)Works perfectly I used a Plugsurfing RFID tag as an experiment and it just worked with no problems Recommended especially if you have a car capable of more than 50kW charging 1463)charging great on CCS peaked at 77kw still getting 57kw at 66 1464)Extremely fast charger Great convenient location for my commute 1465)All working fine Free vend until 10pm 1466)Got a great 58kW charger is a little hidden but well lit thankfully 1467)excellent charging point very good pricd 1468)easy to use 1469)Working well Was expecting more than 45kWh up to 73 1470)Great charger Super fast and always works first time Never had to wait Well worth the 25p per kW 1471)charger is easy enough to find 1472)Nice fast charge at 70kw on CCS with Hyundai Ioniq 1473)Although other fossils in the car park no real icing Charged fine 1474)Just contacted alfa to inform them the charger doesnt terminate at 80 as with other chargers car set in battery saving mode The charger does throttle its charge ok it does charge to 100 and stops ok 1475)Charging ok 25pkw 1476)no longer iced charger looks ok 1477)Spoke to a Alfa power who said he has had a few calls about ICEing and will be doing something about it Great phone support even on a Saturday night 1478)First time charging using Alfa Have to download the app from iOS or android App Store register account and then register card Why isnt it just contactless payment Second space ICEd by black Audi 1479)Working perfect but 1480)mostly iced one of the iceing vehicles is crashdamaged and looks abandoned others are frosted and obviously left longterm not just for office hours parking restrictions clearly unenforceable rapid looks alive though 1481)Nice machine clear screen and instructions All 4 bays clearly marked and signed 3 ICEd 1482)Worked on Chad Didnt feel safe there and Im 6ft tall and 20 stone Ladies in particular please stay safe 2 out of 3 marked bays iced 1483)A little confusing to find with post code esp at night If you turn down Bristol st go right to end then street dog legs right turns into Henbury St you need to go straight ahead its hidden on your right If you mis Bristol st take next left Benson St then left into Henbury then turn right at the got leg Good speed charge 1484)Good charge rate close to 70Kw on CCS with Hyundai Ioniq Electric
Print all of negative comments.
j=1
sortedDF = dataFrame1.sort_values(by=['Polarity'], ascending= False)
for i in range(0, sortedDF.shape[0]):
if(sortedDF['Analysis'][i] == 'Negative'):
print(str(j) + ')'+sortedDF['comments'][i])
print()
j = j+1
1)Checked in on BP Pulse app Failed first time worked on second attempt 2)Device A charges for few seconds and then stops 3)Unable to start a charge via the app When trying again app immediately says theres an error 4)ICED by an idiot in a Range Rover 5)This scum bag parked his model 3 for 15mins to make a phone call while not charging while people were queueing Turns out its not just ICE drivers 6)Slow charging says Ill be here for an hour 7)Getting around 45KW max Nobody using other charger 8)Slow charge today trickling in at 52kw 9)Hard to find Drive past reception and turn left 10)no access to site other CCS chargers nearby 11)Station temporarily closed due to COVID19 12)Can Other EVs Charge at this point 13)very slow charger and also very busy waited 40 mins and then had to charge for over an hour for half a charge 14)Quiet tonight Both free Other Teslas parked in car park Bar has all changed and is now quite unpleasant A loud chapel to lager and sport 15)ICEd x2 hotel staff less than helpful 16)Slow supercharging on 1b 17)1B very slow reported to Tesla 18)Really slow today 19)There are 2 chargers in this place A little hard to find at the back of the hotel Sometimes its a little slow as it peaks 60kwh no matter your charge level 20)Late a at night took me 20 mins to find the right slot to scan the card to start the charge Very poor and confusing layout of instructions 21)Measurement is way off Charged for 3422kWh But capacity in vehicle as I drove of only 231kWh suspect I got not much more than 10 kWh so thats turned out very expensive 860 charge 4 hours park costs1050 sadly I was there an extra 30 minutes over the four paid 13 for the upto6 hour rate Other user couldnt get the system to work to register his ticket I joked with him that worst case hed get no charge for the electric but I sense I may have paid his bill too and who knows how many other vehicles its charged Other car parks with chargers are available nearby give them a try ahead of using this as last resort Unit I used turned out to be unlucky number 7 Units 5 6 were giving the other user grief Nice idea but system really needs a full overhaul 22)Charging at 2kw so not very quick Had to get a ticket from machine booked parking online but informed it will be refunded minus charge costs on exit 23)Disappointing today Did not give 7kw Machine claimed 77kw but after 4 hours added only about 10kw Another used warned me the rapid here have locked the cable in for over an hour for previous user and charged 2x 29 and still refused to connect 24)Located on Floor 0 go down a floor as you enter car park Overcharged states 25p kWh charged me 260 for approx 5kWh 25)Could someone tell me what you mean by iced Ive seen a few comments saying that the parking was ICEd and Im just a bit confused 26)In a sorry state but it works Bays not marked so lots of icing 27)A still broken The other post is ICEd 28)Power completely dead to both charging points 29)Used this evening The other bay one of the rapids was iced when I got there 30)Works To bad that most of the bays are ICEd 31)DougCarl PG80163 A down B up BriaRoxy PG80160 AB both up but both only 3kW not 7kW as stated 32)Doug still poorly Have tweeted pod point 33)Currently charging over bria roxy the one that was previously dead Both it and DougCarl now listed in the podpoint app Can someone confirm for definite both are 7kw 34)Doesnt work looks from past comments it has been this way for a long time 35)rapid poorly plenty of other Rapids nearby now 36)Have charged here a few times without any problems but found the gate coming down when i pulled up this evening weekdays its open until 1930 but turns out it closes at 1730 on Saturday and apparently 1600 on a Sunday 37)Pulled 1kw for about 5 minutes then it cut out Also expensive and requires download of a blist app would not recommend 38)Tried to charge yesterday downloaded the app but unable to add payment method at the time poor service 39)Very slow only 3kw 40)Very slow 3mph 41)Now changed to CitiCharge units needs an app not the worst Ive used Charging now but ohso slow 42)Connector out of service today and other two occupied for hours so unable to charge need far more chargers in this busy car park only three is ridiculous 43)Left hand bay wouldnt charge my Model 3 Tried the reset switch which didnt help Both other bays in use 44)Can I ask what car you charged please I have an Outlander PHEV with a type 2 to type 1 adapter and it doesnt seem to work so not sure if its the charger or if its not compatible with my car 45)Can I ask what car you charged please I have an Outlander PHEV with a type 2 to type 1 adapter and it doesnt seem to work so not sure if its the charger or if its not compatible with my car 46)Can I ask what car you charged please I have an Outlander PHEV with a type 2 to type 1 adapter and it doesnt seem to work so not sure if its the charger or if its not compatible with my car 47)Charged in middle bay yesterday morning Unless Im missing something all three chargers are Type 2 and usable for any EV not just Teslas 48)241v and 20amps 13mph but the bays are too narrow for three Teslas 49)A tesla currently charging on the middle one of three with the other two being blocked by Golf GTE The nontesla sockets here are currently out of order due to work being done see other zap map entry All on level 0 which is up into the car park and then down again 50)Behind barrier as stated so staff and official visitors only and between the Western Lecture Theatre and Liberty Building 51)Cannot get it to work despite several attempts Tried the app tried registering a card tried waving a credit card in front of it Useless app Other cars have successfully charged there today What am I doing wrong 52)Please do not park your car in front of the charger if you dont intend to charge it is really frustrating 53)All four posts have green lights currently 54)Charger B giving 7kW as expected A still OOU 55)Still not fixed after reporting to pod point a few times 56)So annoying theres only ever one working down there and is never available 57)Well done podpoint performing well as usual 58)Charged for a little over an hour whilst doing a little shopping 59)Couldnt get past ongoing checks 60)Pod A said it had confirmed charge but then stopped after 15 minutes Pod B said it couldnt confirm charge but carried on for 12 hour until we got bored and unplugged Shops nearby close at 8pm 61)ICEberg but I can see why they did it few spaces for something that length 62)Being iced by a white lead which parks here daily and plugs in all day thereby blocking one connector for other users Dont mind them charging but they arent moving on once finished 63)B connection keeps cutting out 64)Charger located behind JD Sports Bays are unmarked and there is no signage 65)Says out of use and someone has kindly left on floor so now sopping wet through 66)Failed to charge may be website problem I am not sure 67)Connector damaged unable to use 68)At last was down to snail on id3 and needed fast charge as on way to London Local tesco and Morrisons fast charge failed all reported 69)They need to ban this company it only seems to be dpd they use all the fast charge ones even at Tesco roundhay road so annoying 70)Unable to disconnect Had to call the help center who eventually advised pressing the emergency stop button That did the job 71)Still working perfectly Not ICEd and no inconsiderate EV on charge 72)Failed to initiate charging Performed emergency reset No change Contacted pod point Halfords available up the road kw 73)You may not want to hear this but cars sitting on Rapid chargers when theyre way past 80 charged are a nuisance as it takes for ever to get fully charged Im not referring to you specifically but you mention not being fully charged However aggressive assholes should be banned from life 74)Basically it was starting then cutting out CCS on i3 75)Unable to connect to car 76)Just done a charge but had to stop it early because a large man was very aggressive to me making me finish before fully charged very sad man 77)Spent an age downloading the app for it to not accept my payment card Then realised I could get it to work with my BP Pulse card Horrendously slow charge Very frustrating experience 78)App would not let me scroll down far enough to register my payment card issue date in 2021 only let me look to 2019 79)Still worthless junk App never lets you register a payment card and Im not spending money on a proprietary rfid card just for the privilege of using these things Ill just take my money elsewhere 80)Refused to connect through app Tried to use this facility twice and always the same Waste of time 81)Nightmare to initiate a charge ChargeYourCar has been bought by BP pulse and the CYC app doesnt work to add a card and you cant use the BP Pulse app Spent 40 mins on phone to BP before they eventually managed to initiate a charge Have ordered a RFID card for 20 to see if that makes it work without having to go through the BP call centre every time 82)All down avoid 83)All site down avoid 84)All down avoid 85)All systems down avoid for now 86)and confusing markings 87)The two poorly A sockets remain poorly 88)Website does not exist no other instructions no obvious app couldnt charge Hmm I must be stupid 89)Dont follow the instructions on the sign Franklin energy is no more You need the LiFe EV charging app to use this now 90)You need to use the App to start a session Unfortunately there was no phone signal in the car park so I couldnt connect to kick off a charge Poor planning 91)max 4 hours per charge get the Life EV app before you arrive as 4G signal is not great 92)Not available 93)Unable to pay using evolt or BP pulse 94)App is broken unable to register payment details as server down 95)Hopeless almost half of 7kw chargers not working and the only rapid charger wasnt working either phoned bp and explained no luck either 96)Rapid charger Without notice started charging BP Pulse charging rate for BP Pulse members I found it when they took money from my bank account at the end of the month They refused to refund I canceled the subscription due to the chance they will charge me on other points without notice and info on their website or app 97)Failed to authenticate phoned BP they said they havent had a chance to send an engineer out yet four months ago 98)Not working failed to recognise CYC or BP Pulse RFID card Spent 30 mins on the phone to BT but couldnt get it to work avoid 99)Unable to accept card due to connectivity was able to register details and register card ok but unable to connect for payment to charge 100)Unable to validate user error message 101)Doesnt work Theirs to authenticate but then fails 102)Unable to connect to validation server and no couldnt reset as they couldnt remote connnect 103)CCS still out of order Others cannot validate user support cannot start due to no communication with charger 104)ZapMap says its a fast BP Plus charger charger says its Charge Your Car and is only 7Kw App pretty useless Difficult to navigate Luckily have enough juice to get home So abandoned 105)Are petrol station fuel pumps left broken for weeks 106)Red lights 40 minutes on the phone unit faulty unable to reset 107)Worst experience trying to charge so far only two 7kw chargers available out of 8 one being used tried to connect the cable to the other flap locked phoned help desk tried to remotely unlock without success Then tried the only 50kw charger there download app but would not accept the start date of my card being 2021 gave up avoid this location until they get all these issues sorted out 108)The charging app is not allowing new users to sign up to use these charging points Returned 3 times this week and not able to charge here Seems to be a company wide problem Chargeyourcar 109)Car park where main units are located is closed off for some reason Barrier down rubble piled at the exit There are other units but theyre on the disabled bays 110)Charge your card app not allowing me to register card called for help they were unable to start the charge remotely due to an issue with the unit 111)Usual CYC faff worked on 2nd attempt with Polar NFID card 112)Usual CYCapp faff to get it working but got it charging on the second go after no luck with CCS 113)broken glass all over place from gypsys staff at park and ride not interested in clearing it up 114)All Stations Broken Rapid out of order Plus car park is full of travellers 115)70205 which is in the car park at the side of the amenity building is now signed as disabled EV only and in any event has no power to it so no available chargers here at all presently Lane 116)This is only charge point in the open part of the park and ride but its dead with no signs of life You can see the ones I The locked half all lit up and ready to use but unable to access 117)Number 2 broken 118)Cable broken 119)Barrier down and locked but crew in bus station can open it Dont try and use the intercom as that doesnt work Once you are in theyll put the barrier back down because there is another barrier further along that also opens to allow you out 120)Sorry I was being dumb The chademo connector is hung on the side Its only the front holder thats taped up 121)wouldnt connect app is useless too 122)Car park closed and access to all chargers blocked 123)Car park closed and access to chargers blocked 124)Car park closed and access to chargers blocked 125)Car park closed and all access blocked 126)Elland Road car park closed and access to chargers blocked 127)Three of the four bays ICEd and it costs 15 for approximately 24 hours but it works well 128)socket broken 129)Chademo still broken getting enough to get home on the type 2 130)Unable to start session using GeniePoint app or ZapPay 131)Failed to charge even after calling support 132)Another charger not working Why is the UK EV charging network so useless 133)My bad Just chaedemo showing as faulty CCS now working 134)not havent been working for a long time 135)hasnt been working for a long not happy 136)A bit of an odd business decision to install a charger with connection fee an unappealing 30pkW with a free PodPoint charger within 100 metres 137)With your other Leeds one being out of use can you assure that this is actually working There is really no incentive to visit and pay to test it 138)It is a bit pointless it being there I agree 139)Needed to top up before journey back home usually call in to Ripon Morrisons or Shell on the a168 just before it becomes a19 however discovered this charge only pulling about 25 bit was cold battery was cold had been sat all day then drove 5 mins to there 140)Had same issue myself The trick is do not connect it to your car start the charge on the app and wait for the charging screen to appear then connect to your car It will then start with no problem If you accidentally double click your unlock on your remote you will disconnect and it will not restart If that happens you have to start again and waste a pound reconnecting 141)Chad still poorly despite engineer visit Helpline informed 142)Absolute crap DC Chademo not initialising Customer service crap Jet Petrie station came out to tell me off for using my phone near their LPG tanks AVOID 143)I couldnt get the AC to charger my Zoe Not had any trouble previously probably a year or so ago now mind 144)Unable to charge for last few days says internal error 145)Couldnt initiate charge through app or pod point website Reported to pod point Tried to reset remotely and this failed 146)Not able to activate charge on Pod Point app reported to Pod Point 147)Usual nofuss connection and charge 148)Was free to use now suddenly with no warning at a charge very disappointed 149)Dont work and very expensive at 250 per hour for a very slow charge if it did work 150)Neither of the charge points appeared to work properly but we were charged 250 for using each one and ended up with less charge than we started with 151)This point is 100 dead no power no lights 152)Still Dead No other 153)Dead BP pulse said theyre waiting for Aldi to pay the bill 154)Dead no power to unit 155)Dead No Power 156)RFID is broken Have to activate using app 157)have now seen parking penalty invoice from allegedly overstaying here 158)Card reader was broken Had to call to have the charger reset Then I could charge 159)Assume RHSide is number2 thats what I used no issues use my chargepoint RFID card Looks like the other side was working rolling text in window 160)One broken 161)Its a bit hit and miss getting it working It fails every day time if you plug to the car first I have to tap my card wait for 5 pre payment to go through then connect to car and press start 162)this point is behjnd a barrier and for school staff and official business visitors only parents and other ad hoc visitors park in a separate car park School reception is 0113 229 1552 163)Charged yesterday every other bay ICEd and port B on DawnJudy adjacent to the space I parked in was broken Still charged very slowly despite mine being the only EV actually charging Was charged by podpoint to use it 164)Side B not working Sick of this with Pod Point going back to a petrol car next time 165)Not working again Pretty poor up here now 166)No light on side or charger and not charging on B side Reported to PodPoint 167)Not working unable to charge as charge station not powered 168)All chargers down no power at all to any of them 169)Zoe reports AC charge impossible Reported 170)Says Charge is already claimed spent 10 mins but couldnt get it to work 171)Socket B failed to charge Confirmed on the app but charge speed remained at 0 172)Still not working Flashes red and green but never starts charging despite the app confirming 173)Door A not charging as usual a communication problem with head office Reported to Pod Point 174)Door B not charging Pod Point told me it hadnt communicated in a while remote reset unsuccessful 175)Failed equipment Reported 176)Still not working Car just reports charging error Other posts working 177)Unable to claim charge Says it is already claimed Stopped after 15 minutes 178)Charging will stop if the other car on the charge point is fully charged Probably a glitch and issue reported to PodPoint who will reset and update firmware 179)JoshAbby charging albeit at a painful 2kw 180)Judy failed to charge All looked to be working including confirming charge in app 181)Simple contact less payment 182)dead 183)unit completely dead 184)working fine on Chad beware people in the air bay grey ice behind me 185)Thanks for the information sorry it took so long hopefully the charger is in the right place now 186)For some reason the charge was very slow I estimate the charge rate was down to 3 kwh Disappointing 187)Unsuccessful unable to locate on map Wouldnt accept a card Helpdesk and I wonder if its restricted to school staff only Help to resolve this would be greatly appreciated Thank you 188)Unable to charge sadly Does one need to be a member of the school I called the Helpdesk and after going through all options doesnt show on the app either thats the only restriction we can think of Help to resolve this would be greatly appreciated Thank you 189)Unavailable Really annoyed 190)Failed after less than 10 minutes call Geniepoint they reset it faulted after two minutes they say they have no reports from anyone else have any other faults I read out the zapMAP reports and they said they hadnt heard from anyone else 191)Still faulting out after about 10 mins of charging and then creating a soft emu fault in car until a down power re power of the car is performed 192)4 mins and then stopped Useless 193)Unable to start a charge with chademo as its red on display Engie not answering phones as they have a technical error 194)Charges for 10 mins then stops Tried a few times now Something faulty not sure about the other charge types 195)Ridiculous prices in my opinion 196)Arrived this morning to find its not working This is my local charger so a bit annoyed 197)Unit dead no power 198)Back on working again Mobile signal poor so used rfid to start charge 199)Taped round unit switched off 200)Single charger despite multiple connectors 201)Hi there Im sorry for any trouble this has caused you I can confirm this temporary issue would have been caused by our planned maintenance however having checked our systems everything is now back on track and this unit is operating as normal The holding fees which youve been charged should be returned to your account within 3 business days However some banks make take longer to release the pending transaction back to your account Should this money by any chance debit your account please get in touch with is directly and we will refund this amount back to your account Again Im sorry for any inconvenience caused Marty 202)Connection error Broken AGAIN 203)Thank you for the report we were not informed that the site was temporarily closed so we are sorry for this I have marked the unit as unavailable please do get back in touch if you know when any building works are to be completedNadine 204)Dead No Power reported again to Bp Pulse 205)Dead as a dodo 206)now out of action for 4 months even though request for repair went in immediately Come in BP crap service and not supporting customers 207)Unit still dead no power 208)Unit dead No signs of life 209)Still dead Reply from BP pulse Awaiting parts 210)Not working either via touchscreen interface nor app Called helpline charger failed after two reboots by helpline staff Also seems to be a problem with the app this happened after I drove to an alternative BP charger so I had to use more expensive contactless option 211)Error 8C as per previous comments 212)Safety Problem Polar Notified 213)They have tried to block entrance with pub closed but u can still get round 214)Broken my BPPolar jinx taken 5 months since a crap 1st experience at Llandrindid Wells This wasnt ICED I couldnt remember password to use app but by waving my bank card in a couple of places the Chademo did its biz 5kWh in c15mins to my 30kWh Leaf cost 150 Pleased 215)Polar Map showing AC back online 216)Type 2 cable missing completely tonight I rang Polar to find out what was going on the guy said they were aware and waiting for parts but no return date for engineer had been scheduled Make of that what you will Bays not very well marked so was half ICEd tonight handbookwheelscubic 217)Type 2 Connection Broken 218)Sorry its type 2 thats is broken 219)Only CCS Connector is broken 220)Second time charge fails after delivering only 736kwh 221)Took a couple of tries to get it started but OK after that although no more than 30kW Parking bay is side on to chargepoint rather than usual end on which makes it a bit tricky to get the cable plugged in unless you park half out of the bay 222)Wow very easy to use Stupid positioning of the car park for it though For a leaf you feel like youre over the entrance and the leads arent very long still saying introductory offer you will not be billed but 35pkWh not sure if the 35p is the offer 223)Unit still off and still missing a connector 224)Charger dead Switched off screen blank 225)Machine switched off Charging connectors missing from cable ends 226)25 Aug 7am Started a charge from both website and machine deliver 0kWh even though both say success Car is waiting for electricity Rebooted by pressing emergency button 5x and tried again no joy Will report later 227)Waste of timeconnects then does nothing 228)After a number of failed attempts seems that only one vehicle at once can use this charger 229)Slight smell of burning when arriving at charging point Cut out on two occasions 230)Charge confirmed but some person must have come along and hit the emergency stop as I came back to no additional charge Very disappointing that people feel the need to do that 231)Not able to charge reported to engenie 232)Slow charging reported to engie 233)All good no issues this time Mini charged up to 100 last time I was here DPD van was left on charge unattended the van was charged up to 100 the owner must have come back after over an hour I gave up on waiting and moved on to another point shame that people dont keep an eye on where their car is ready other might be waiting long time if they are desperate to charge Other than that Spot on 234)Had to get bp to reset as emergency stop had been used by previous user 235)Black screen after saying Ive not connected the charger and would not returned to the guest screen They still debited 15 from my bank acc and zero charge used 236)still dead bless various alternatives nearby 237)Reply From Polar You are right the post is dead due to some technical issues Thank you for bringing into our attention the fact that is still on the map we have taken this unit off the map for now until the problem will get fixed in order to avoid any further confusion 238)I have asked polar to check this charger because last week it was switched off but was showing as charging in use on the polar map 239)Charger now back on polar map so I assume its now working 240)Barriers up Unable to charge 241)Unable to access carpark as They have put barriers up 242)Couldnt connect properly the connecting plug kept slipping Most annoying 243)Unit appears dead no lights 244)Not closed due to covid 245)Car park blocked by barriers No access at 0630 Not sure what time it opens up 246)CCS broken and card reader failed 247)Worked a treat for an emergency charge after a mammoth failure with the charge points at Wetherby A1 Services Could have done with the Miller Carter having outside seating and serving drinks but cant fault the charge 248)Car park closed charge point behind closure 249)convenient when you suddenly find Ferry bridge services closed 250)Used Saturday evening with contact less credit card No problems 251)Touch screen not working Polar reset the unit but still wasnt working so are sending an engineer 252)Seems a bit slow not as fast as other 50kw CCS Ive used 253)Did stop after an hour or so even after confirming on podpoint app but started again by unlocking and relocking the car helps that I can do it remotely otherwise would be an issue 254)A started off slow 31kW nobody else here Then jumped up to 61kW to the etrons battery after an hour 23p per kWh according to the app Not too shabby 255)Working Average 65kw 256)Had issues with 5 docking stations a week ago terrible service 257)Incredibly slow Barely got any charge 258)Only one out of 8 chargers is workingaccessible The others are all roped off and cant be reached See previous photo Useless 259)Not charging this was the second unit I tried Other users having same problem 260)Tried to use socket B selected it in the PodPoint app but it wouldnt charge Just pulled it out and put it in A instead and it started charging I just feel like a walk parked in the wrong space now but there are loads of other spaces here Parking charge is 3 for an hour 5 for two hours 261)Failed to charge 262)Leeds conference 6 hrs charge thanks Pod Point Expensive parking though 263)left the car for 3 hours and failed to get any charge 264)Plugged car in today came back 2 hours later and no charge had taken place Looking across at all the others plugged in they all seem to have been disconnected Very annoying 265)Other side iced 266)Parking attendant stood directly behind and did nothing 267)Parking attendant stood directly behind and did nothing 268)I have a visit coming up here but down the road so can it be used with no pulse assuming I wont get clamped if Im paying 269)30 min later and they are still here blocking the charger Charger has even got bored and reset 270)630pm and as expected a queue of cars waiting 271)Slow charge in cold temps 272)Working but slow for all cars None of the cars charging were getting anymore than 64kW 273)Waited 30min 3 cars before me 46kwh max charge which is nearly maximum anyway for my i3S Saw 3 cars drive off bored and was still 3 waiting when I left Sunday 1pm 274)Very slow 275)Very slow charge 276)Slow charge at 54kwh 277)Very busy this afternoon around 4pm Annoying to see several vehicles charging very slowly well beyond 80 278)A disappointing 70 Kw to start dropped to 50kw quite quickly 279)With 6 cars charging it was slow at 74 kw which must be an issue with power supply to the station as climbed to 130kw when 2 cars unplugged but dropped back down when they were replaced 280)All working together last night Busy for late on a Thursday 281)Wrongly flagged as a connector issue because it was in use and there was a queue 282)Yet again all running slow Nothing faster than 75kW This is misselling 283)Worked but max charge rate of 39kWh People waiting to charge because of this slow charging 284)85kWh charge 1 other charging at the same time Some guys here fixing the faulty ones too 285)Max74kw all 6 chargers in use and all showing between 34 77kw Pretty useless really get you signed up with 350kw speed but not possible here Waste of time 286)Slow charging all round now a queue Max charge rate on show is only 60kW most chargers well before this Disappointing 287)Very slow Max 80kw Nowhere near the 350kw claim Normal get 150kw at Ionity Not great 288)Slow at 32kW 289)Poor charging speeds with a preheated battery Expecting 225kw 290)Currently charging Got up to 50kwh but now reducing Easy to charge though and working Ill just be here a bit longer than hoped for 291)Very poor Vehicle was preconditioned Only gave max 111kW Meant to be 350 kW max Very poor app wouldnt accept Apple Pay wouldnt accept Chase Poor 292)I switched between 3 chargers Im at 45 in an id3 with 24 software and struggling to get 40kwh The charging curve at this point should be 90kwh Really terrible Not enough charging points either Had to wait 60 minutes for a one 293)Charging very slowly 35kw max 294)An hour only 28kwh transferred very slow 295)All running very slow this evening 5 only giving 30kW 296)Tried three different chargers all supplying really low levels of charge No more than 20kw at any of them No one else charging either and have had over 100kw before 297)Late night charging no fee but only charging my EV6 at 40KW whilst veing the only car here 298)As usual with this busy car park both spots ICEd 299)Error message advising unable to charge 300)Error message advising unable to charge 301)Only seems to be charging for 1 hour and then stopping charge or they have become very slow chargers 302)Unsuccessful charge Only charged at 10A same as home supply and failed after about half an hour 303)All cha rgers working A shame some are being used by plug in hybrids who are fully charged and just sat there blocking the charge points Had to assist a wheelchair user who desperately required to charge 304)Iggy Door A not working Door B works for few minutes then says out of service 305)Update side B seems to work but keeps cutting out after 15 mins even though charge was claimed 306)Running at half speed 36kW 307)Though due to the outside temperature at only 35kw per hour 308)Wont charge on B No light 309)Poor connection Kept dropping out 310)Failed to charge Car reported no mains voltage 311)Totally dead No power to unit at all 312)Worked at second attempt but accepted contactless This being Polar I now have 2 X 15 charges for them to refund 313)Screen dead Informed pulse Said theyd look into it 314)Screen dead Informed pulse Said theyd look into it 315)Console dead no chargers will workon hold to polar now 316)Unit failed to connect then after being on hold for 15 mins I gave up Very poor customer service ChargeMaster 317)No translation available error message repeatedly came up when trying to charge Called support who investigated but couldnt see anything wrong with the connection or the charger 318)Machine had tripped earlier on today owner service station came out and reset it so power came on Unable to start charge as it keeps giving an error translation error 319)0 star rating Tesla navigation gave me the wrong directions 4 times Gave up and stormed out of the city looking for the nearest nonTesla charger What sort of idiot puts rapid chargers in the middle of a city with loads of oneways I nearly drove across the central reservation out of desperation 320)First time using a supercharger needed to charge for 15 mins according to the nav ended up charging for nearly 35 mins to get enough charge to continue my journey A bit disappointing to only get 4143kw Very busy car park thats not really easily accessible 321)Car park was empty when I arrived at around 11am on a Tuesday with just 2 battery Charging peaked at 202kw just before I managed to take a picture 322)Constantly disappointed by the lack of power at this site Only one charging and battery is up to normal temperature Normally getting at least 60kW at other superchargers at this state of charge 323)Only pulling 41 kw this morning very disappointing 324)Only 49kw despite only one other car in the bays 325)Is device 7 a plain CCS or a Tesla CCS This charger is appearing when I have filtered out Tesla CCS points on the map 326)Slooooow for a supercharger Only 75 kWh even though stalls were mostly empty 327)Very slow speed 328)A bit lonely No one else in car park Was pestered by beggar 329)Spoke to ENGIE who said the charger will be offline for a few weeks as part of COVID19 testing on site The charger will appear on the ENGIE map when it is back online 330)Not sure why there are 2 chargers reported in this site Only one charger 331)Charged OK this morning but as charging bays on a slight slope the ice made it nearly impossible to get out If icey maybe worth stopping across bays 332)Im not sure why zapmap says there are 2 chargers I could only find one 333)Absolute nightmare to activate After following process online with my card details it said connect car but never worked I will never use this company again Simple machines are much better I hate this complicated one with a passion 334)How is this point still not fixed Been over a yr 335)If you are new to the area Finding the EV charger is difficult No clear signage evident to assist in finding this charging point 336)Seeing 32kw charge in EQC Had to do 2 tries to get it to start charging 337)Type 2 connector seems to be parked on the device so that all other connectors are blocked 338)CCS and type 2 not available 339)Ignore prior comment allegedly can use the mobile app Havent tried myself 340)Only one unit here they have replaced the broken engie charger with a Geniepoint 341)Selfish driver using the car parking space but not charging 342)Charger broken 343)Tried but list the will to live on the website App seems awful too 344)Broken Locked my cable in No answer to phone call Hit emergency button to release 345)Took 2 tries to get working Got charged 10 as went over 1hr20mins 346)Very slow 45 mins and only got from 14 to 45 charge 347)Charging seems to start but then stop after a short time Tried it twice Very annoying 348)do not use never anything but trouble always end up on phone an hour trying to get a charge 349)Very expensive parking at 22 for 24 hours and you have to pay if you are charging 350)still poorly progress expected soon 351)still dead 352)still totally dead I reported to car park management 0113 244 4271 suspect someone needs to go into their breaker room 353)Machine totally dead 354)Failed to authorise again CYC unable to resolve by phone Had to leave without charge 355)Two spaces ICEd Leaf fully charged Just as well I had a long lead 356)Charged again not a good experience as someone had unplugged our charger and we were away for over an hour so when we got back no charge and security were not interested to know about 357)Hard to find as postcode takes you to multi story 358)No long PodPoint No BP Pulse so not free to use 359)All charge car connectors removed replaced by EB go however not available via app Unclear if they will be for public use and at what price 360)App refused to accept payment phone number of device is disconnected help number goes to BP pulse and no help as cant take payments Wasted 30 mins Waiting for my pulse rfi card to arrive so very disappointed with the app 361)Broken Call to help desk they couldnt get it working 362)Attempted to charge but none of the charging posts are labeled or numbered so impossible to know which to activate No WiFi signal and app refused to authorise any charge acceptance Wasted 30 mins 363)Awful Avoid at all costs Incredibly tight car park tonnes of chargers not working The ones that were I couldnt connect to after trying for 30 mins or were all occupied by council vehicles 364)Would not connect other spaces taken up by council vehicles 365)Council vans many not charging blocking the chargers Two bays with PHEVs probably left for the day Dont bother if you need a charge Probably 10 BEVs parked up in other bays Just poor 366)Terrible experience Tried two chargers which work off the app but poor signal in the car park Connection fee gets taken ok but charger defaults after one minute Tried x 3 as not used before but no luck Not helped that multiple council vans are packed in and space is extremely tight Would avoid in the future 367)Excruciatingly slow Been charging for 5 hours at between 58mihr 368)Some cars charging today but lots of points not working stick on authorising RFID card tried four different connectors unable to get a charge called cyc but on hold for ages decided to leave and try to supercharge on my way home 369)Charge rate is appalling Have been charging close to 18 hours at 8mihr 370)The new units the ones without labels dont work with the card or app Not sure if these are reserved just for the council vans 371)Update Got the following response when trying to reserve a space as previously recommended We no longer reserve bays due to the uptake in the number of people using the bays We have however installed extra bays for drivers to use to charge their vehicles Thanks John Senior Civil Enforcment Officer 372)Same two cars iced everyday one has Leeds City Council hiviz on front seat 373)bit of a strange car park with two entrances at different levels so need to remember which level chargers are on 374)I have been informed by the parking staff that at least two of the charging spaces have been coned off after I complained about ice issues 375)All spaces blocked by nonelectric cars no signage or enforcement whole charge station useless 376)Every single space blocked by nonelectric cars Dont waste time here no chance of charging unless you arrive a 6am 377)All the units out of action apparently due to the cables having been chopped and stolen Why cant these be sorted promptly 378)Copper thieves have done their worst All units out of order 379)These chargers are behind barriers that cannot be accessed when McDonalds is closed 380)Visited last week Usual reliable Instavolt charging station close to 50kW throughout and no drama Sign up with the Instavolt app using the referral code 6Ja8X and get a 5 account credit 381)No problems as usual with Instavolt tap and charge 382)Unable to access due to McDonalds being shut and barriers down Chargers all lit up and ready to use but unable to get car near Useless 383)Note the instructions tap card THEN plug in It gets confused the other way around 384)Slightly slower than Id hoped for 38kwh Takes just over an hour rather than 40 mins 385)Worked no problem but slow charge 31kw 386)3 brand spanking new Instavolt chargers less than a mile from home Heaven 387)Device 1 failed on Chad device 2 worked 388)Unable to use allstar electric card 389)The parking spaces are so tight i couldnt open the doors of mycar to get out Failed attempt at charging 390)Sigh Another attempt to use a public charger and another fail Do they ever work 391)Failure to connect 392)Failure to connect 393)Still not available 394)Still not available 395)Failure to connect 396)Failure to connect 397)Failed to connect to Network 398)Failure to connect 399)Failure to connect 400)failure to connect 401)Authenticates Unfortunately fails when starting to charge 402)All chargers broken 403)Unable to connect 404)Still not able to start a charge 405)Poor mobile phone signal so the app could not start the charge RFID card did work 406)Not connecting this morning Other bag and charger not working either for another car 407)Easy to connect difficult to disconnect on the App Had to press stop 56 times before the charge stopped Any advice anyone Second time this has happened on Genie Point chargers 408)Unable to get charge via website Help number over 20min wait and then cut off 409)GeniePoint Rapids have a 10 overstay charge Details in the App and usually on the Charger 410)This slow charger worked first time but couldnt get the 50kw working 411)Charging very very slowly Aborted after 10 mins as I can stay here all night 412)Only the slow charge is working Others saying unavailable 20mins trying to get through to Geniepoint gave up 413)All I wanted to do was charge the car but took nearly 20min to download the app website on charger was wrong register an account get validation emails from junk mail and then start to charge It worked though 414)Not a Genie point Some weird local network and does not work Come on Asda sort it out 415)Not available 416)Not free 10mth DD According to the app sign up 417)This useless pile of shit of a charger will not connect and charge Nothing but issues with this charger since the day it was installed Crap 418)Not charger issue but note that this machine is in a car park that is locked outside of store hours This is not a 24 hour charger or Asda Luckily I had enough charge to get to a Morley charger Driving past the Instavolt inaccessible in a locked McDonalds car park These were plans B C and D after Ionity Skelton lake which is out of use as all of its cables have been stolen Ridiculous 419)Absolutely shocking 420)Charging point still out of service Very inconvenient Reported to Genie point 421)Unit is dead no power no display nothing Tried calling Genie point gave up after 12 minutes on hold 422)Asda closed so unable to get access to chargers Need to be 24 HR access 423)Waste of time support no help 424)Spoke to support the charger is actually broken they have been waiting parts needed to fix for months No repair date in sight 425)Unable to charge all the phone lines are down because they have a technical issue 426)Type 2 connected but only charged 001kwh in 50 minutes CHADEMO would not connect as usual Another user couldnt connect to DCC so a washout all round 427)Further to previous comment again no success charging Was told by Engie that there were known problems charging a Leaf on the Chademo used Type 2 again 428)Failed to charge 429)Located at the back of the car park away from the building so less chance of ICEing 1 bay for all vehicles and another for taxis 430)Slow again at 35kW All 4 in use though 431)Unfortunately parking bays are iced because they are right next to the store entrance and people think they can just park there regardless 432)Charged for about 15 minutes and then stopped Retried on other charger at this site Juan Buck and had same issue Have reported issue to store in past but little seems to be done 433)Couldnt get my car to charge on 3940 or 37 Phone number on charger unable to help network rail unable to help Gave up and went to Q Park 434)Downloaded app but failed to charge as said already in use Tried device 35 36 etc all the same 12 for 3 hrs parking No EV charge 435)The free period is over unfortunately Payment for charging is now required via the ACPOA Connect mobile app 436)Apparently the chargers on level 1 are now working apart from the ones opposite the ramp Ramp down to level 1 is opposite the exit 437)Please note that due to the closure of the staff car park public parking may be limited between 181221 and 070122 inclusive 438)3 disabled bays on Level 2 439)1 is down Faulty connector socket Cost is now 35p 440)Terrible keeps disconnecting 441)Chargers not working Asked GP surgery manager and told chargers arent active yet as they are waiting for a card from the manufacturer No timescale given on when chargers will be working at this site so try elsewhere 442)Dead 443)Dead 444)NatWest are blocking the preauthorisation because its being requested for 000 which is flagging up as fraud despite me approving it The operator is unable to help 445)NOT FREE AS STATED ACTUALLY 50p KWH PLUS ITS 12 PARKING FOR THE DAY 446)Still not working Hotel say its waiting on a part Polar say theyre waiting on the hotel 447)3kw Polar Hotel charge point 448)Wasnt working when I was there at the end of august I did inform both the hotel and Polar Polar said theyd try to get an engineer out at some point so it may be fixed by now 449)CCS failed to charge 450)Wouldnt charge Awful service with old engie now genie 451)That is also down Support is not working alsoi 2 charger in the front car park are down Chatting to an engineer who was robbing parts from one to try and get it working but failed Use the Jet instavolt about a mile outbound 452)Starts charging and trips out after a few seconds Other unlisted rapid at the other end of the car park is stuck on emergency stop Support say they will get and engineer to investigate 453)Situated a little bit out of sight 454)Not available 455)Not available 456)Charged at far reduced rate Approximately 17kwh 457)Connecting but then fails to charge 458)unable to access car park turned into gypsy camp caravans blocking access 459)ICEd and surrounded by caravans unable to park to get access to charge point 460)Not working for chademo kept cutting out Reported 461)Charger working fine someones got the ID wrong on the machine and theres only 2 not 3 like it shows on the app 462)No access due to filming vehicles taking over car park 463)Charger blocked this one is never working Bloody rubbish 464)failure to connectgeniepoint constant problem 465)Unit frozen Unable to initiate charge either through genie or bonnet app Just sat whirring away like a bored dalek 466)I tried this port and it said it was unable to connect 467)Start charge signal not reaching unit Genie not answering phonecalls to report issue Unable to charge on the type 2 charger at Morrisons yesterday for the same reason 468)ICEd both bays blocked with non electric Also a single geniepoint charger not x2 Osprey 469)Would not connect and not charging Logged out a few times to try clear it but no luck 470) this is showing as 2 osprey chargers when its a single GeniePoint formerly engie 471)Unable to charge 472)Usual result on this charger doesnt kick in properly on eniro All other Engie work fine for me just not Horsforth Always call Engie and while helpful not able to start remotely either 473)AC out of service Other connectors working 474)Same as usual stops after 5 seconds 475)Unable to connect 476)Started to charge them almost immediately stopped and my Tesla reported equipment not ready 477)Tried again today 1807 this morning seems to be working 36kw per hour instead of 4550kw At least its working 478)RFID accepted started charge came back to no charge Weird 479)This terminal and all in this area are out of service Theyve been like that for weeks No cables missing from this one Please get them all fixed 480)Waste of 40 minutes phoning downloading app registering setting up payment not working 2 long unanswered calls 8 attempts rubbish 481)Says its not available No help from EV box 482)Unable to use as car plugged into ccs and not charging Apparently finished their charge 50 mins ago and not returned and its locked into their car 483)Unable to connect using Zappay hope they havent kept my fivers 484)Still broken 485)dead as a doornail 486)still down 487)Needed to Call engie To reset the box it tried to start charging but failed each time once the reboot was done it was fine again 488)Called Jeannie about this they said hes been faulted for a couple of weeks now theyre not sure if its going to be taken out completely or repaired I guess we just have to keep calling by and see 489)Not working Reported Engie said it is on their list to fix but COVID restrictions means it will be a few days 490)Only AC working slow charge 491)why didnt you use CCS was it broken 492)Re My previous comments on CHADEMO lead Have found that the lead can be unhooked from the loop by going round the back of the charger Now it can reach the left hand bay 493)Go to evengiecouk and register online Then when at the charger you call them to link a RFID card or debit card to the account no money is taken as long as you do not charge over the 75 maximum time limit 494)Used Chademo several times Difficult to get it to register card against screen when wet Also length of bay is too short for my LEAF See pics Discovered damage to rear light cluster after a charge So beware 495)3 time Ive tried to use this charger and been unable to due to non electrical vehicles in the parking bays why do they install a charger but not mark the bays or put signs up 496)Hidden just by entrance and charger takes up 3rd of the parking space Not clearly marked as a changing bay 497)Completely dead 498)Started charging then stopped Contacted support who will reset it when the other AC charge had finished 499)Only delivered at about 9kW an hour to the 2018 Zo Im currently using Not sure if it was just the cable though 500)Well done this is what EV ownership is all about helping each other 501)Unable to use all of the connections due to test and trace using the car park they have not informed ENGIE disaster when you have 10 miles in youre battery 502)Will not accept contactless payment Waste of time 503)Not available 504)Failed to connect to network 505)Wouldnt get past initialising stage Spoke to technical twice but couldnt be sorted Will try RFID next time if there is one 506)Unable to charge via zap Bonnet or contactless Dont have RFID either Total waste of time If anyone would tell me how they managed it Id be grateful 507)Saying connector not available 508)Not charging unable to connect Reported to GeniePoint Does require RFID card or App too 509)Fans whirring away hot day but unable to start a charge on CCS 510)You can register any random RFID card you possess eg bank card loyalty card to your GeniePoint account at a GP machine Their support can help you or you can follow the instructions available on their website and app 511)Tried to charge using Bonnet and Geniepoint apps as contactless was showing unavailable Only other option showing was raid card which I dont have Poor show all round 512)Awful charger tried 3 times and never works Shame 513)Another connection failure here Unable to get through to any on helpline Doesnt seem to accept rfid or bank cards App doesnt connect 514)Another fail by Genie New charger should be working straight away As I have an existing Genie account should have been quick As their site is so poor took a while to get going then fails to connect Regardless of connection chosen times out when trying to link to the machine from the app or website Spent 15mins on hold and gave up The screen on the machine says can tap with card but doesnt acknowledge any bank or rfid card using Kia Connect These Siemens chargers are in South Tyneside and always offline or similar connection issues No confidence in this one shame as handy while dropping kids off 515)Expensive 516)Charger doesnt work Spent 8 on a despiser and spent 10 minutes registering for an account in vain 517)One of two bays closed off with barriers multiple attempts to connect to 50kw CCS failed No charge received 8 retainer charged with 7 day refund policy 518)Tescos roundhay Leeds No waiting Rapid charge at an average of 160 miles per hour 50p a kWh No problems 519)Every little helps 520)Successful charge using contactless Charger is in a very poor location ok for RLHFRH charge ports but poor for my iPace Had to park at an angle and drape the CCS cable across the bonnet Not ideal but worked 521)Works but hard to access Parking spaces are almost impossible to enterleave if large cars are parked in spaces opposite Is also located on a main exit route for the car park so getting out can take a while 522)Initially not showing up in the Pod Point app so was limited to 15 mins Now working fully Parking is limited to 3 hours I can only charge at 11kW but that is limited by the car 523)Bays yet to be marked out Recce visit on my other EV late April 2022 Eassist folding bike its a hybrid Im told Legs plus variable amount of assist 05 524)Info panel late April 2022 525)Taken late April 2022 Club will be marking bays shortly ProjectEV app required Cafe temp closed due to covid 526)Behind oulton manor care home 527)still broken for Dc 528)broken 529)Started at 45kwh but gradually slowed down and cut out after about 20 minutes Not great when you are paying a premium price for the juice 530)works but only seems to charge for 30 of car before cutting out 531)Charged 25 and then suddenly stoped charging Is it due to turning on the car while waiting 532)Not available 533)Charging very very slow 534)50kw Failed what charging attempted 22kw worked 535)Ignore this Wrong location 536)Screen still broken ridiculous amount of time to sort it out 537)Screen still broken 538)Some moron has smashed the screen meaning you can not use it and it also says 2 rapid chargers when there is only one 539)Screen broken 540)New machine unable to make it work faults after a few seconds 541)Only pulling 18 kw on a 50kw charger Pointless gave up and used InstaVolt nearby 542)Failed to deliver charge x2 still charged me 16 2x 8 connection fee no answer on customer service number Avoid Tesla model 3 active account 543)As per previous comment wouldnt stop charging had to emergency stop 544)Still completely dead 545)Still completely dead Waiting for replacement parts apparently 546)not free to use 547)Is parking only reserved for those recharging Its a shame theres often a long wait due to non EV parking their 548)The other device is called Omar Arne but it doesnt show up on the podpoint app 549)Charging at 6A Useless 550)Both spaces ICEd as usual 551)Socket B is dead 552)Just connector A works on Omar and its ICEd at least 40 of the time 553)Still broken 554)Just this one of the four charging points is working The other three have been out of order for ages I submitted report back in February that 34 were broken 555)4 bays for 2 chargers with two sockets each One charger totally out of order The other doubleICEd Poor 556)wouldnt let me charge not free 557)Two bays ICEd but signage is poor 558)There are 4 charge outlets on 2 posts but theyre ALWAYS iced I think its just box ticking for Aldis green credentials as thwy have no interest in making at least one bay marked as EV charging thus customers just park there without knowing or ignoring there are charge bays Ive stopped shopping there on principle 559)possibly the worst placement Ive seen in 4 years of EV driving 3 out of 4 bays iced no surprise as there are no signs or markings squeezed into the spare bay only to find the ground around the charger to be a muddy bog gave up and moved on 560)Both posts are now installed and powered up but as bays are devoid of any markings yet all were iced and I was unable to test 561)These charge points have recently been installed and are due to be commissioned in the next couple of weeks 562)Not free no more 563)New charging bases in place but no sign of charging units yet looks like its raw charging will be the operator 564)New charging bases in place but no sign of charging units yet looks like its raw charging will be the operator 565)Not found in app cannot use no pulse card waste of space 566)Blue light shown on unit but key needed to activate Found a security guard who had a key but didnt want to mess about with it because it was a bit dodgy and kept locking cables in Apparently an engineer is due to visit in the next few weeks 567)Had to register with network add funds to account for it to fail says its been ICEd Thought it was supposed to be free 568)Both connectors showing blue lights but not operating once leads connected Reported to BP Pulse but they wont do anything anytime soon because theyre free chargers and not raking in profits for them Useless charge point 569)Difficulty connecting on socket 1 this time Eventually vehicle started charging but nearly lost the will BP still not attended to socket 2 as there was no joy with that one at all 570)Connector 2 not making connection Shows Blue lights but dont go Green Reported to BP Pulse and supposedly sending engineer as its not a reporting charger 26521 571)Still switched off and covered over with a black bin bag 572)Still not working now covered over with a black bin bag 573)Reply from Crown Point Thanks for getting in touch and bringing this to our attention Ill pass your message onto our facilities management team and look into this as a matter of urgency Thanks Kirsty 574)Not working unfortunately 575)Starting to ticket people not staying onsite using facilities Due to complaints local businesses people parking all day 576)There are only 13 chargers can you amend directions to say something like Level 2A there are 4 on up ramp Level 2B there are 3 on way to down ramp Then go down to level 2A where there are a further 6 chargers 577)They are the same tight spaces in the car park just painted green and with podpoints being fitted Disappointed as these are on Level 2 which has the easiest access to the lift but no accessible spaces 578)No light and did not connect Customer services werent at desk will try to let them know 579)Level 2 but you have to go up to level 3 then round the down ramp to get to them can you add the level to the description 580)Charge units are located centrally at the rear of the bays which are narrow so that cable connection can be awkward 581)Pretty terrible Only been delivering 35kW for the past 2 hours 582)Easy to charge Signal shocking in car park and need to use the app Most of spaces taken up by council vans Some of them not even charging 583)Bit slow Another app to down load and top up Not a very intuitive charging unit Mind if coming in tonight its like an ice rink 584)Successful rapid charge after we got down to single figures range and all other local rapids were either in use or broken Max charge rate was 38kw 585)If you are appalled like the rest of us with this service at stourton park and ride this needs logging with the below customerfeedbackcagovuk Please log a compliant or this will not change 586)The issue is there so expensive on KW and impossible to use they have become redundant and nobody uses them now This has means the machine are open to abuse as they are vacant all the time in the early and late hours and nobody is there on a night to watch over them as before they had charges on them to scare away the bad guys Leeds Council again at its finest 587)55kw from CCS charge feels a bit weird pulling into an office car park though 588)ICEd but long cable let me charge while parked up close to the Range Rover 589)couldnt get AC to work on my Zoe both 43kw and 22kw socket threw an error couldnt fault the guys at Alfa they came out and got me charging on one of the other 22kw posts and are going to look into why the other unit isnt working big thumbs up 590)CCS wouldnt charge properly speeds pulsing up and down at around 1015kw Disconnected and didnt bother 591)Started and then cut out after a few minutes Tried it several times but it stopped taking my allstar card 592)Limited to 35kW 593)Shame it only charges at less than 38kw when its supposed to be a 100kw 594)Electric juice card not recognised so had to download Alfa power app to start charge Also tried calling to use the card but went to answer machine not sure if anyone is there to answer at the weekend 595)Stopped for a charge for the first time got the app and started charging on Type 2 43kW But for some reason the station started at 21kW and then dropped to 18kW My Zoe can accept 43kW and I started at 18 so not car limited The app and station both showed that 43kW connection was in use by me Tried calling support but no one answered After 30min of slow charging went to find a Polar rapid Also the camera pointing at the car is a bit intimidating 596)Couldnt download app it said country not available 597)Very difficult to find and when we did we couldnt get it to work Impossible to find app and the website link is broken Tried phoning but it went to voicemail May work if you can scan the QR code or if you have an RFID card but we couldnt work it out 598)Really struggling to connect and pay via the app Wall box says charging car doesnt think so Avoid this charger it is useless 599)Grounding fault No charge Very disappointing 600)Still dead tonight 601)Unit is dead called Alfa and they know as its planned work 602)Cut out not working Hard to find as behind the building in picture 603)Unable to charge Shows as completed charging straight away Contacted support who tried a reset but said an engineer is required 604)Adjacent works being done necessitating power being turned off Once the status on zap map stops being red this should mean it is back to normal but do call us on 0113 335 1765 and we can confirm 605)You drew 33kwh and the peak rate was 89Kw One unit is stored power the other is power output 606)CCS failed on Etron No clear reason Reported 607)2 ice drivers making access difficult 608)Hv ground fault prevented charging Also 2 ice parked making access difficult 609)Really odd location tucked round the back of what was a dodgy boozer now derelict Marked up with 3 bays and there is a sign saying EV only and penalties will be enforced States that it is a 100kwh but my iPace only managed around 60kwh 610)Getting worse 611)I3 is limited to 50kwh charge 612)Worked well just shy of 80kW for the IPACE 613)Nippy little rascal 614)sadly the i3 would only pull 46 kW compared to the 100 that the machine can offer 615)Was there a couple of days ago seemed empty I dont know if the cars belong to the builders nearby 616)The two cars that have been icing have been moved to the far side to allow access to both parking bays Still a tight squeeze with them being there Charging all of k on chademo 617)One space but wrong side for car Had to squeeze in to get charge 618)Car park was floodlit this evening so not too bad 619)Ioniq successfully charged on the 100kW CCS connector Fastest charge Ive ever had Display showed it charging at 67kW at its peak and it might have been the car that limited it since its a cold day 5 deg C Overall 23kWh delivered in 24 minutes The other user who commented that he only got 43kW in his Kona I think thats because the Kona can only take 50kW max which is a crazy design decision given its got a bigger battery than the Ioniq
Print all of neutral comments.
j=1
sortedDF = dataFrame1.sort_values(by=['Polarity'], ascending= False)
for i in range(0, sortedDF.shape[0]):
if(sortedDF['Analysis'][i] == 'Neutral'):
print(str(j) + ')'+sortedDF['comments'][i])
print()
j = j+1
1)I have just got a electric car how do I pay at this point 2)Admin location type restaurant please 3)Charger bay blocked by staff vehicles when I had food here 4)Another one thats opening hours only 5)DPD loves this charge point They blocked three chargers and the final one is ICEd 6)Got 66kW Cant see any signage about maximum stay in carpark 7)Socket 2 ICED by Vauxhall Mokka X Informed driver that the space is for electric car charging and she just said yep and walked into the store Totally arrogant with no respect to electric car drivers 8)Report on Twitter mentioning Asda Leeds city council and Bp pulse 9)All 4 ICED had to ask if theyd c move Wouldnt have minded but with kids they have the family spaces to use 10)Iced by a polo 11)Today 1pm all 4 bays ICE went to aldi 12)2bays iced 13)All working However 3 of the 4 bays are ICEed 14)Working 4 charging points 15)Working well 16)Around 115kW with 2 cars but only 2 stations so had to wait 20 mins for a slot 17)Chargered no issue but only got 53kW max so ended up here a lot longer than anticipated 18)45kW Was another car at same time 19)No only Tesla Vehicles 20)Do these work for none Tesla cars 21)All open working Just follow through to the back of the car park to find the chargers 22)Up and running again 23)Working again all chargers in use 24)Open again 25)Open again checked today 26)CCS working on both points however the Tesla supercharger is only working on 1 unit seems like a cable issue 27)Not working 28)124kW 29)low charging speed 30)Connectors working well 31)wont unlock 32)Working yesterday 33)Only getting 50kw across the two bays 34)Only getting maximum 31kw 35)Works a treat 36)1b charger pulsing 626 kw Reported 198 37)116kw 38)Can you charge a nine Tesla on this charger 39)Price now 055p per kWh 40)Charged 50 in 8 hours only pulling 3kW 41)A bit pricey but efficient if you can find the bay Be helpful if chargers we signed from entrance 42)25pkW 43)All 13 machines now working plus the three tesla ones opposite No card or app required Pay for charging and parking 44)Seemed to charge my VW Golf GTE to only 50 capacity in 3 hours Queried with management 45)Seemed to charge my VW Golf GTE to 50 capacity only Queried with management 46)Can I charge my Mitsubishi outlander phev here 47)can i charge my Mitsubishi outlander phev here 48)250 he plus 20p a kW Weekends its 1 a hour plus 20p a kW 49)Didnt charge dont know why 50)A works B has no power Also power is turned off Sunday afternoon so neither work 51)Plug B still not working 52)Same again today for 24 spaces 53)Charge not starting Car app reports immediate interruption 54)these two bays are always iced Aldi makes zero efforts to stop this shoppers quite frankly dont give a 55)A does not work 56)Doug now works 57)Doug now works 58)Bay 2 iced 59)I have been charging here for about 15 minutes and the podpoint next to be has been ICED twice 60)Doug is still defective 61)You should update BriaRoxy to 3kW Both posts output 3kW 62)B works 63)That happens a lot Two of the EV charging spots were ICEd last week 64)Iced up 65)No juice from A but B works 66)This post nearest the store works well 67)Correction all now PP RFID 68)Admin please change network to PodPoint open charge 69)I was here today after following sat nav to the postcode All I could see was a building site No Aldi no car park no charge points 70)site decommissioned 71)charge for 1 hour around 20 on env200 ICEd driver see EV dont even care park anyway 72)Both devices are actually 3kw regardless of the labeling 73)Device BriaRoxy has been removed DougCarl has been upgraded to 7kW 74)Thanks Admin I wonder if you would like to note the pod point numbers for each unit too The 7kw one thats dead is briaroxy PG80160 and the 3kw one that works is Dougcarl PG80163 Also Ive reported the fault to both Aldi management and to Podpoint again today 75)Hi James thanks for reporting this and apologies for missing your earlier message This has now been corrected 76)Arent showing on the App so cant use When I took a look all four bays were ICEd 77)what card do you need to activate 78)Seems a connection error 79)Charger out of order 80)10 min chademo charge earlier closes 4pm on Sunday 81)couldnt start a charge will ask the staff in the dealership 82)Charging no problems 83)Out of order 84)All working today Initially errored but worked on second attempt 85)No problem Staff invited me in for a coffee 86)Hi James the location has now been updated 87)Please change the name from Benfield Motors to Lookers Nissan Leeds and add the chademo rapid 88)The rapid is in and working 89)Working but only achieved 36 kW not Tesla units Wouldnt release cable but phoned the number on the charger and they reset it to release the cable 90)Does not work with tesla 91)None working 92)I agree and emailed CitiPark This was their response 93)Seems to have no power 94)Seemed to have power but LEDs remained red and the car reported now power 95)Central charger works well 96)Looked like it was working today as a Tesla was charging next to me 97)NonTesla in middle 98)NonTesla connection not working 99)parking rates 100)Charges at approx 13 mihr 101)No probs 102)Could only use the BP Pulse charge not the Engie one in the same carpark 103)Wouldnt authorise my BP Pulse RFID 104)Working 105)Went here however they told me they didnt have a card so had to use the Middleton one 106)Charged today Used the app no issues 107)Currently blocked by construction in the university 108)Currently blocked by construction at the university 109)This has been reported to estates and an engineer has been booked to repair the unit 110)Both connecters ICEd by a Uni Estates nv200 and an egolf not plugged in 111)Socket B now locks in place etc 112)Connection B clicks on and off constantly when cable connected Reported to CYC 113)Hoardings moved to make this charger visible Inside barrier so staff and official visitors only 114)You dont need an access card membership app just plug in 115)Have downloaded the app but doesnt seem to work Have got to car to charge on the third point tried just by plugging in Other points wouldnt work even using the app or waving a credit card in front of it Cannot get the one by the edge gym to work at all but other cars have managed successful charges No idea what Im doing wrong Any helpful suggestions 116)Is the 1 connection fee mentioned in the description here correct 117)Doesnt charge reported to CYC 118)both sides of 70233 working 119)Porsche Cayenne blocking 70234 120)Today Shush 121)No power Reported to charge your car and University 122)Connector A does not work at all 123)Not appearing in the app Wonder if theyre finally in the process of fixing socket A 124)3 months on and socket A is still goosed 125)Not charging 126)Socket A not working 127)Socket A not working 128)No problem log onto podpoint app 69 to 70 kW 129)Out Of Service 130)Next bay was iced just before I left Plenty of room elsewhere 131)ICEd by a taxi 132)No problems confirming charge today used pod B 133)unable to charge from port A port B ok 134)claim charge didnt seem to work again but got an hours charge regardless 135)got 30 mins from connector A despite website and app not claiming charge properly 136)left bay iced today 137)Blue lights flashing red Followed steps not charging both connectors Red lights although app says charging 138)One space ICEd 139)Charging for the next 2 hours on A White Leaf thats always charging is on B 140)Charge still confirming in app however status doesnt change no problem though still charging beyond 15 mins 141)Admin please update network to Pod Point open charge 142)It states on the Podpoont app thats all these rapid chargers have now gone up to 50p kwh but doesnt tell you on Zap ap or anywhere else 143)Says out if use on pod I dont use this one but thought Id share 144)Working well unlike the CCS connector on the same unit 145)Couldnt get it to charge on this connector despite trying 3 times Swapped to 43kw 146)The same thing happened to me with the 50kwh in Stanningley 147)Charge already claimed though it isnt Then holds the lead hostage 148)Only 11kph 149)Someone had left the emergency stop pressed so this was showing not availablereset and all is well 150)problems connecting to app 151)Finally after nine months of nagging them an engineer has been out they replaced the Chademo and now my car will charge again 152)Working 153)Still reports internal error 154)Not working at all today still showing as operational though 155)still reporting an internal error 156)Attempts to start then says internal error Reported a second time to pod point 157)just topped up the Etron 50 4 per 10 minutes no issues with the Podpoint app 158)doesnt work 159)keeps saying connection error and that the car is still turned on 160)The Lidl rapids are now 23pkW pre paid through the app 161)Ccs kept having connector issues wouldnt charge 162)DC not working 163)Cvs connector issues 164)Ive spotted that happening when I have used this charger 165)Complain to PodPoint they may get him banned 166)Someone had pressed the emergency stop twisted and pulled the button waited 30 seconds and all ok 167)43kw while waiting for Lidl to open 168)Getting a charge eventually Lots of chargers not powered Units not accepting the app but one eventually accepted my CYC card Phew 169)cant use app cant use website avoid 170)Avoid 171)Avoid 172)Avoid 173)Avoid 174)Avoid 175)Avoid 176)The Park Ride is currently being used as a Covid NHS testing site and all of the charging points are out of use 177)Constant loop saying insert charging cable remove charging cable its difficult to seat the actual connector wasnt able to charge on this 178)Both the chargers on the80081 post arent working on the app It cant connect I used 80082 instead 179)80081 bay 1 iced when they need to use a charger in the future maybe then they will realise 180)ICE gits 181)80079 A side says ERROR RCD as does the A side of 80085 still 182)Left car on charge for over two hours For 15 miles 183)This car park and charger remain open with Covid19 this is on the network of our friends at Franklin Energy but can be accessed via our roaming agreement with them using our app or fob Or their app or fob 184)left hand side watch your aerial as you reverse 185)user report 186)Out of order 187)How did u get it work Use rfid or app 188)Finally working again 189)Wouldnt connect to server 190)Cant connect 191)Cant connect 192)Connector for ccs has do not use tag on 193)Hooray it is working again 194)Still not working called BP again they havent had chance to send an engineer out to look at it yet its been four weeks 195)Wouldnt connect to server to start the charge 196)Out of order sign on connectors today 197)Out of operation and CHAdeMO socket covered up 198)Faulty wont do anything 199)Still faulty 181121 200)Still got a do NOT use tag on Lights on but nobody home 201)Appears to not charge but it works 202)Type AC 43 on Rapid faulty 203)Red lights 40 minutes on the phone they could not reset Faulty 204)Charge your car is taken over by pulse Pulse dont have point listed so cant start any charge for any point 205)Hi What did it charge you 206)Also with adding works with a debit or credit card as RFID No idea what charge will be though 207)None of the charging points here are working Called CYC no help 208)Blocked off for covid vaccinations I wonder if theyve shut any filling stations for covid 209)I reported this to cyc and theyve replied saying its switched off because council not advised them to switch it back on yet Have forwarded cycs reply to metro link 210)No chademo 211)Patients or staffbusiness visitors 212)Not for public use 213)Could not get app to work so could not get charge to work 214)Cant locate this point 70214 Looked both side of Henry Price Residences and also the adjacent Institute for Transport Studies 215)Barriers up overnight Dealership hours only 216)Parking charges 217)32A 218)not working 219)two of the four presently iced 220)4 chargers all ICEd 221)Hey Crowne Plaza whats the point of putting in charging points if you let Ice vehicles use them so that electric vehicle are marooned 222)Not working 223)Not working 224)Not working 225)Chademo started then stopped used T2 instead 226)Faulty still reported to Geniepoint 227)Chademo not working 228)CCS chaedemo both faulted Sounds like some cooling fans arent working somewhere 229)Didnt work 230)1 bay iced today 231)Yep this one is back up and running any problems please call us on 0203 598 4087 232)As soon as we have an update we will let you know 233)Apologies for the delay in replying I will raise these issues and get back to you when I have an update 234)No power 235)Still not working after almost a year 236)Not working at the moment 237)Unit disconnected and faulty reported to Geniepoint 238)Couldnt connect three attempts 239)Connects but wont start charging 240)No power to unit 241)Seemed to connect but disconnected itself almost immediately 242)Couldnt connect called support who concluded the charger was disconnected from network and couldnt help 243)Not connecting Called support they could not restarted 244)Now works for me on chad 245)As soon as we have an update we will let you know 246)To confirm chad still inop 247)Chademo still NOT working 248)Chad does not work Touched my card started whirring heard it lock but then unlock Reported to helpline 249)doesnt work no comms app errors cant register card 250)Back up and running 251)Couldnt connect to charger from app at all 252)Type 2 working CCS not working Price has gone up to 40p per kWh in the last day or 2 253)Just wont connect Isolation error Then the app said it was charging when it wasnt but wouldnt stop it from charging Had to use the slower connection 254)Its back up and running 255)All goodspot on 256)Internal error 257)Still not working and doesnt come up on the app 258)Ive got same issue its still not working after a month Ive reported again today 259)Does anyone know why this charger has disappeared from the Pod Point app 260)Not working contacted pod point services no reply as yet 261)Out of service 262)Chademo connector broken reported to Podpoint AC and CCS seemed to be working unit on free vend 263)Chademo connector damaged and will not latch into place Reported to pod point 264)Chademo not working again 265)When I try to charge it says Charge already claimed and nothing happens It doesnt charge 266)App would not connect 267)Reported no service 268)Reported no service 269)Used yesterday afternoon no issues 270)No problem at all 023 per kWh 271)isolation fault 272) 1 for the bakery 273)40kW on CCS Pastel de nata in LIDL with the visit see bakery section 274)All working 275)36kw Tried MG ZS EV but it wont charge on this No fee though if you can get it to work 276)Not working Only 36KV now 277)Is this place 247 278)Duplicated entry Please delete this 279)Picture from user 280)Picture from user 281)Post tested and fully operational 282)Had to call to get unit restarted to release cable multiple occasions 283)Rejects RFID App never accosted the charger 284)All working as it should be 285)this point is now being billed perkwh 286)All Working 287)No longer here 288)gates are locked no access to chargers 289)Numbered incorrectly on ZapMap left hand charger is 90 and 91 not 89 and 90 290)Around the back of the building 291)Max 42kW 292)Working averaging 42kw 293)Working averaging 42kw 294)Working averaging 40kw 295)Both units bagged over 296)Both chargers have been vandalised with the cables being cut 297)50kw charging rate with no issues 298)Charging at 50kw No issues 299)Not working 300)Charged me 15 pound for 20 percent the machine said 5 pound rip off 301)Charger working Averaging 425kw 302)Charging point working averaging 425 kw 303)Working well but only getting 34kW 304)Wokred earlier this evening 305)Card Allen found in car park Handed in to Halfords service centre 306)Card reader would not work with my Instavolt RFID card so used my debit card instead No dramas and charging at 46kW alongside a Tesla M3 who is charging on the unit next door 307)Took two different cards and several attempts before I could connect had this problem with another Instavolt 308)No issues 309)Arrived with 1 mile range Phew 310)Charged no problem 311)Fault 22 whatever that means theres a second device though which is working didnt call instavolt 312)Device 1 didnt connect but that may have been user error on my part No probs with device 2 313)Now requesting 5 pre authorisation on charges 314)No problems 315)School staff only 316)Doesnt work 317)A Port not working B port took over an hour for 4 KW 318)Only charging at 22kw and now charges 40pkwh 319)Couldnt charge car Message saying it was already in use no lights on B side of ChargePoint 320)Not working 321)Side B still not working 322)Side A not working 323)DawnJudy has issues 324)Side B not working 325)Not working no power 326)Not working 327)Starting to think these will never work 328)Socket B appeared to be working and app accepted charging confirmation but charging terminated soon after Pod point advised 329)No power to any units on site 330)Charger A working 331)Finally actually worked 332)Used B side A side does not appear to charge just flashing red 333)Charger seems to be working again 334)All points offline 335)No power to any of the units 336)Only 2 charge points working currently 337)Charger working but at only 10A 338)Chargers now working but Im only getting 10A charge 339)Did not work looks like out of order just flashes 340)All chargers still off 341)All chargers still not working No power to any of them 342)No power to all 343)Still no power to any 344)Doesnt connect to id3 345)None are working 346)None of the chargers are working 347)All chargers have no power 348)Connects then disconnects unsuccessful charge 349)Cant start charge Says already claimed 350)Port B still not working Have reported out 351)2kw charge Might aswell not bother 352)Side A Will not let you claim charge and disconnects after 15 minutes 353)Charged at 6kWh for 2 hours 354)Neither side charging 355)Charger A doesnt work 356)B not charging 357)Not charging on B 358)Point B didnt charge All indications showed charging came back to a near empty battery 359)Same issue Stops after 15 wont let you claim 360)Same today 361)Same thing happened to Me today 362)Connector issue Couldnt confirm charge as it had already been claimed Reported to podpoint 363)JoshAbby B only charging at 2kwh today but all chargers were in use 364)Was charging at 97kwh not 22kwh 365)Would not connect 366)didnt charge as wouldnt authorise my shell card almost alfa meant to be part of the shell network 367)chargers intended for playersspectators bar open Saturday only see their website a hrefhttpnewroverplaycricketcom titlehttpnewroverplaycricketcom targetblankhttpnewroverplaycricketcoma 368)Charges revised 20p per kWh until end Feb 2019 then 25p per kWh thereafter 369)Unit appeared to be switched off earlier this evening 370)33kW 371)Out of service 372)5 pounds pre payment for credit cards 373)no power but the unit is in situ 374)Two bays 375)I tried to use this charger this evening as one of the chargers was showing as available however a Tesla model X was using the space for parking only and the broken charger had an ICE vehicle parked there so I couldnt try stretch my cable over from there either 376)Why not pop by and perhaps have a rural walk followed by coffee 377)visit the golf club online at a hrefhttpswwwleedsgolfcentrecom titlehttpswwwleedsgolfcentrecom targetblankhttpswwwleedsgolfcentrecoma or contact them on 0113 288 6000 378)admin still needs moving 379)coordinates havent changed yet 380)admin correct coordinates should be 53826127 1578959 Spinning Acres Lane which is off Tetley Gate HOWEVER this is three posts in a residents only car park all of which are ICEd so I question who they are intended for Boxticking 381)I have spoken to Aldi who say that they apologise and this issue of the Staff switching off the PodPoint chargers will not happen again 382)I was told by a member of staff that charging would come in once we get to July Today is 1st July The pod points still have no cost but the staff simply switch of the chargers if they see some one trying to charge in the morning before the store opens 383)The staff at the store here switch off the chargers when they choose They shouldnt because this is a public open access charging point The car of the left here is a staff members car They keep one post on to charge this car 384)Out of service 385)Out of service 386)Out of service today 387)Out of service no lights on chargers 388)They dont work 389)iced Aldi dont care so next time I will park in front of it and come back in several hours 390)These are BP pulse chargers not swarco 391)Socket A out of service fault ticket raised 759853 GW 392)walked all around Wellington place no sign of these anywhere unless they are in the underground car under number 3 393)Device seemed to be offline today 394)Both A B sides charging 395)Not working not accepting card 396)Are you now paying to use this charger 397)Unit appears to be switched off reported to swarco today 31822 398)Can apply for the RFID card you need to use this chargepoint by making an account at swarcoeconnectorg It costs 10 for the card 399)No faults showing unit reset GW 400)Been this morning 3rd August both AB side not charging the plastic cover has disappeared on one side dont know if that effects it with rain getting in but reported to swarco econnect will await events 401)All working Even though it doesnt show on the SWARCO app your charge does show in your history You have to swipe your card to activate and end your session 402)Unit in service but not on public network so will not appear on app GW 403)Doesnt show this charger on the app 404)I spoke to the school and they seemed to know nothing about it 405)Hi how do I get a card in order to use this charger 406)Been off since 6th December Reported to BeEv 407)Uses the BeEV app and RFID card 408)Uses the BeEV app and RFID card 409)Uses the BeEV app and RFID card 410)Uses the BeEV app for which you need an RFID card You MUST register on the app for them to send you the card otherwise you cant charge Very simple process once you are set up though 411)Still not working 412)Not connecting 413)Ccs chaedemo reporting out of order 414)I reported it a month agowill report again soon 415)Charged for 8 minutes then stopped 416)Still drops out after 30 secs reported to genie who reset but still faults after short time 417)After 10 minutes faffing to try get app working got it to charge it put about 15 miles in then stopped and then would not reconnect 418)Stops charging after 30 secs 419)Charged for 6 mins and stopped Then reported out of service 420)Blocked by EV not charging 421)Temporarily unavailable 422)Unavailable 423)Unavailable 424)Unavailable 425)Wasnt working yesterday 426)Not working 427)Only type 2 is working 428)Still only type 2 working been like this for weeks 429)Only type 2 working and only put 29kw in 30mins 430)Same issue as others mentioned charges about 10mins then stops 431)Started charging but stopped after 10 mins had to ring up for a reset restarted but stopped AGAIN after 3 mins Called again no use just reset Restarted but stopped for 3rd time Reported fault but not convinced will be sorted out 432)Stopped charging after a couple of minutes Cant restart the charge 433)Used the ac charger All worked but the Engie app didnt show me the cost or charge Still charged me though 434)Got up to 42kw at 20C 435)Not working 436)29kw 42 mins 437)24kWh in an hour 438)36kWh in 58 mins 439)Only managed to get 27kW 440)Under going work 441)I managed to charge on type 2 but after 40 minutes a Leaf plugged in at the side of me which halted my charge 442)Only giving out 24kwh but did the job 443)back working after being service a while back although only getting 16kwh used to get 40 444)Still out of service and she say they know about it 445)Still out of service 446)Out of order 447)Tried for last 2 weekends Connects to charger but cuts off shortly after Not working 448)no screen can just hear cooling fans 449)Accepted payment card but would Not start to charge 450)Building works going on no access to the charger 451)Posttestedandfullyoperational 452)Posttestedandfullyoperational 453)Cables cut off presumably stolen 454)Still isnt working Im cancelling my BP subscription 455)Still not working Reported to BP again If youre a subscriber and you would use this point often complain to BP I politely pushed for a credit to my account which after some debate and the involvement of a team leader in the department was authorised 456)Unit was working then died No Power Reported to BP Chargemaster 457)Reported this Rapid which has not worked for months again to BP pulse 458)Still OOS on 2110 Wondering if BP will ever get around to fixing the this one 459)Still waiting for BP to repair I was told 910 on a phone call by the BP support line but still wasnt working on 1010 460)Reported to BP pulse 461)Didnt wake up and CCS charger was covered in bird droppings 462)Machine not even switched on 463)Still a connection problem 464)Ccs shows server error 8c when trying to use 465)Device appears to be working but pops up with error 8c connection refused by server after safety checks are done 466)Temp barriers on pub but still managed to use 467)both entrances to car park blocked off by benches 468)Still no type 2 cable 469)Not type 2 cable awaiting parts charger blocked No EV markings 470)Type 2 removed Awaiting parts 471)Not working 472)Type 2 damaged 473)Connector bust 474)Error 113 Not charging 475)Bagged out of service 476)Over 190mph charging 477)Instavolt stations always seem to work like a dream for me No different here 478)This wouldnt accept my debit card yesterday I kept tapping but nothing happened Today I notice that 5 x 5 have been deducted from my bank account even though I couldnt get the machine to charge 479)Machine says charge error 480)Worked after a couple of trys 481)works well no problems 482)No problems charging car 483)There is only one device here 484)used on e golf 485)Insignia parked in charge bay mid morning still there at lunch time 486)Iced by an insignia been there an hour blocking charging 487)All out of order and has been for weeks No cables on this one presumably stolen Please fix asap 488)Cable has been replaced unit is on but rapid charging still out of service 489)All working and another car using CCS too 490)Charge not starting via Web page 491)Worked when connecting via the website 492)All worked well 493)Not working 494)That photo isnt marsh street car park 495)Ccs working only and only pushing out 25kw 496)Still no power to the unit 497)Still not working screen blank 498)50KW not working 499)Called Engie Awaiting engineer response 500)Stuck on initialising 22kWh charger works however 501)Faults on both AC and DC after starting charge 502)175kW in 60 mins 503)Couldnt get charge card to work at all 504)Works for 10mins or so then just stops Reported 505)Both DC charges not working AC socket is though 506)Took a while but finally connected 507)Website error had this 2 days running 508)This happened to me when I was charging via the CCS and the 22kw connected it stopped mine 509)Yesterday 510)All working now 511)do you know what app we need now thank you 512)Error code 6 513)Managed about 40kW on CCS 514)I work for DpD myself and charge here often If the vehicle is 100 charged the cable automatically unlocks at the front and should just pull out If it doesnt then the vehicle isnt fully charged 515)Two EV parking spaces but can only charge one vehicle at a time 516)Charging at 45 kWh Only one car can charge at any one time here even with different charge connectors 517)Wouldnt recognise BP pulse card and no answer on the phone 518)Not working 519)Almost ICEd but not quite My third attempt at a charge this evening Thank goodness its working 520)No issues 521)All working 522)Not anymore 523)After 31 mins connection lost error 8 524)Refused to accept cable wouldnt charge 525)Car park bollards up no access 526)Hi there thank you for your feedback the information for this charge point has now been updated to reflect this 527)charger access blocked by bollards at the entrance of the car park 528)Barriers up to prevent access to car park couldnt get in 529)Still not working 530)Charger awaiting repair 531)No power to unit 532)Charger is located just inside the entrance on Bruntcliffe Road 533)Charge error did charge for a short while then some sort of connection issue Tried twice 534)Thank you for the report and can you please reply back with a picture of the cable or call our customer service line 0330 016 5126 Jason 535)Cables have been cut 536)Only charging at 7kw 537)48kw had to scan card twice had charger plugged in on second attempt 538)Used today as a guest user no issues 539)Had to call helpline as machine was unresponsive and wouldnt read my membership card Once they sorted got a solid 50kw 540)Polestar charging at 50kw 541)No problems Used app to connect 542)Showing reboot message but never starts 543)0730 Saturday morning 544)None working 545)Worked spot on no issues 546)All connections working 547)Still out of service 548)Awaiting engineer Off 549)App not connecting to unit 550)Wouldnt recognise connection to car But is chip out of connector so dont know if that it the issue 551)Hi there thank you for your feedback the access restriction for this charge point has now been updated to reflect this 552)Card machine wasnt working reset machine Disconnected as connection was being made 553)Screen is unresponsive but works via the app 554)Screen doesnt respond to touch input 555)Wont recognise car tried multiple times 556)Didnt recognise vehicle 557)Car park blocked off 558)Hi there thank you for your feedback the access restriction for this charge point has now been updated to reflect this Admin 559)Unit remains inaccessible 560)Car park blocked off 561)Couldnt close the charge Wouldnt recognise the card I used to start the charge and help line permanently on hold 562)Refuses to recognise credit card to release the car What do I do now emergency stop 563)8kw in just over an hour charged 250ish Contactless but 2 x 8 taken from my bank account by Charge master PLC 564)No issues to report 565)Loadsharing in place Also note pay for both charging and parking 566)This morning 567)Hi there thank you for your feedback the access restriction for this charge point has now been updated to reflect this Admin 568)Charged earlier today No issues 569)John Lewis opens again today at 10am Even though the shop was closed we were surprised to find that we could use the Victoria car park and charging points last week 570)car park shut with no access to chargers 571)Ice 572)Brad no working Again 573)One space ICEd 574)iced 575)All working Parking 300 after 5pm 576)got a space among the PHEVs 577)iced by merc car park staff never seem bothered 578)Taped over 579)Only one charger working Costs 3 per hour for 7kW prepaid so only pay for what you need 580)App not allowing registration Same on website Cannot use 581)Pay by time not charge which is a scam Also requires a deposit which in my case was never used then I was charged for the time anyway CHARGEBACKoclock 582)Device covered in bin bags with a not in use sign 583)Both charges covered with bin bags Sign just says not in use 584)Hey 585)the car park is private property and the charger is by chargemaster that requires RFID card 586)Stall one offline 587)36 cars sat at 100 30 minute wait to get on 588)Packed again 4 cars queueing today 589)Only getting 51 kw 590)Charging only reaching 65kw 591)All occupied 5 waiting to charge 592)Avoid if you have a Mazda MX30 Pulled in to charge and couldnt on any of the chargers 593)Charging 78 kwhr 594)All charging getting 30 kw 595)Quicker today getting 58kw at 60 charge 596)Only getting 35kw at 15 should be over 100kw 597)Out of service 598)Out of service 599)Waited 25 mins 1 charger out of order Finally plug in and only getting 36kW 600)Broken Screen says free vend but wont proceed Dont bother the cable will get stuck in your car 601)Reporting out of order 602)Stops working as soon as it is connected to the vehicle Then Ionity app locks up for 5 minutes Person before me had the same issue 603)40 kw 604)Only giving 30kW 605)Only 70kw 606)68kW on socket A 607)Neither A or B work 608)ne to avoid when its raining unless youve brought your wellies and a cloth to wipe your cables Theres a puddle about 4 inches deep 609)Charged for about 45 mins whilst at Morrisons 610)Note there is only 1 post with 2 connectors 611)Will not charge Message on dashboard says Checking charge post Pod point help line says it should work 612)Only one station here but worked well 613)Device doesnt exist BrynAxel is the only charger present 614)ICEd 615)These are now payable 28pkwh 616)Side A not working switched to B 617)Charged yesterday 20722 no problem charging but had difficulty taking connector out of the Pod point Could it have been because of the excess heat and sunshine 618)Size B out of service today 619)No power on Aida side 620)DaneLola point A not working 621)Charging but only at 36 622)Aidafaye port a not working 623)Confirmer charge on point A yet still stopped charging after 15 minutes 624)54kW on A 625)Faulty connection wont charge 626)Point B not working 627)Socket 1 out of order 628)Out of order 629)A flashing blue and red not charging 630)3kwh 631)Only 3kwh 632)Dane Lola bay B iced 633)No power to socket 634)No chargers working 635)6 out of 10 chargers not working Have been like this for over a week 636)Car reported no power 637)Would not start using the app but would start with an RFID card 638)Out of use 639)Bring a paper with you as the petrol station shop doesnt sell them 640)Not functioning 641)Working again 642)Touch screen not working 643)Faulty no cable detected arghhhh 644)Not working 645)App not working 646)not working error on safety check 647)Not working 648)Stourton BP sevice station 649)Only 30kw despite being the only car here 650)Only got 100kw max even though I was the only one here 651)250kw my butt cheeks No faster than the standard tesla units and Im the only on here 652)only getting 27kw 653)189 kW quiet 654)All eight stalls are CCS 250kW only 655)Chargers 656)Chargers 657)Chargers 658)Chargers 659)These are in the private grounds of Headingley Park next to Longfield House luxury apartments 660)Signal kept dropping so couldnt charge 661)Acts as though is charging but doesnt actually charge Showing in fault on GeniePoint app 662)Start charge on app Then connect CCS cable to car 663)The CCS is now fixed All is working as expected 664)Wires exposed on the charging point for the combo 665)Connector has been vandalised I have reported it to Engie 666)Works a treat 17th May 2021 667)Not showing on charger map Phones support who say the charger is out of use 668)Not showing on charger map Phones support who say the charger is out of use 669)When I installed it 240920 670)Worked well 671)App says out of order 672)Still out of service 673)Not working 674)Temporarily Out of Service 1225 26th Sept 675)Not working for weeks 676)Not working 677)Payment method of contactless not working 678)Not charging Stuck on initialising 679)Not working 680)Didnt start up 681)Doesnt get to charging Gets stuck on initialising 682)Requires a card to use 683)Unsuccessful charge tried numerous time 684)No machine in situ 685)Looks like its been stolen or removed 686)turned off not recognised by genie map 687)Charger is turned off awaiting maintenance 688)Switched off 689)Switched off 690)Need to register with Yorkshire council But instructions on unit Cafe osc Ada opposite recommendation 691)Out of service 692)screen says temporarily unavailable 693)If theres issue Call engie and they restart the charging point Should work for people now 694)Not working 695)ICE parked in the ev charging space again 696)Doesnt get beyond initialising 697)Out of service 698)Out of servive 699)Out of order 700)Not working 701)When I installed it 702)Hi there thank you for your feedback the information for this charge point has now been updated to reflect this 703)Hi there thank you for your feedback the information for this charge point has now been updated to reflect this 704)Removed by building work 705)now a private car park avoid 706)Message REJECTED reported to CYC 707)Pleasingly the barrier was opened for me at 1745 708)Red lights 709)Closing 110817 Cant attach the photo for some reason 710)Closing 711)Plug A would not authoriserelease using RFID card or app CYC helpline would not answer Had to leave wo a charge NB Plug B reserved for car club 712)Its in the surface car park off Whitehall Rd NOT the NCP multistorey as suggested by the CYC app 713)Spoke to Charge Your Car and they do not know about this charger 714)OOA local council vans parked here and replacing all chargers 715)OOA 716)All charges OOA 717)Not working 718)Connector B is not working 719)70202 Connector B is not working 720)Has charge your car gone out of business as no one ever answers the phone 721)Just had an email back from parking services reservation is no longer possible 722)Had a problem authorising on left hand two units Have reported to CM who say theyll investigate 723)Council vans taking up a lot of spaces Also ended up with a parking ticket for my efforts 724)Now working All on level 3 725)However unit 70200 has an error message on the screen Ive tweeted CYC 726)All spaces presently taken including five ICE cars 727)Bit of a faff getting going but no issues with spaces or the actual charge 728)Charged no problem but it only delivered at 3kW for some reason No one else charging at the time 729)Totally blocked by nonelectric cars no signage or enforcement Unusable for charging 730)Totally blocked by nonelectric cars no signage or enforcement Unusable for charging 731)Totally blocked by nonelectric cars no signage or enforcement Unusable for charging 732)No problem as always 733)All three chargers in use 734)Bay 1 Iced 735)All four chargers out of service Bags over them 736)Copper thieving Theres been a spate of similar incidents all over the place 737)One tap with CC and charging started 4550kw 180200mihr 77mi added 950 paying for convenience Big Mac and coffee extra 738)Worked a treat cheeky coffee while I waited 739)stop spamming your code 740) 741)Parking signs say dont leave site 742)Whats this Three uniced instavolt chargers at a McDonalds that just simply work IM LIVING IN THE FUTURE 743)Charged at 50kW from 20 744)ICEd again 745)8kwh max output 746)Couldnt stop charge then cant disconnect 747)Wouldnt connec 748) 749)CCS 1 didnt connect Had t pay 3 x authorisation fee before I got an amp of leccy 750)RFID card nor this app working for CCS 751)No connecting 752)Not working 753)Charging but only at 11kwh 754)Not working 755)Wouldnt connect despite numerous trys through the app Might have been my lack of phone signal though 756)Still not connecting on type 2 757)Not charging 758)Just wont start charging 759)Not charging 760)Not charging 761)Had to wait a while then charged at 30kW 762)Only charging at about 7kw on the Type 2 763)Didnt work at all 764)Connector offline on genie point app and no power to unit 765)Not working 766)Would not charge 767)Only pulling 27kw max throughout 768)Eventually started to charge Engie app wouldnt connect and had to phone for support after 4 attempts 769)Finally got a charge point that works although app saying it is charging at 089kWh 770)Need to register with Geniepoint 771)Heads cut off 772)The head has been cut of the charger 773)Not working 774)Works through geniepoint website zap pay didnt work said authorisation error 775)TAXIS ONLY 776)CCS and Chademo showing as faulted and cant be used 777)Says not connecting when starting charge 778)Keeps disconnecting automatically 779)Registered but could select as it comes up as faulted 780)Not starting a charge App doesnt connect to charger 781)Not connecting 782)Ih and No Toilets Comeon Zap maps 783)Faulty Not charging 784)Wont get signal 785)Only achieved 6kw 786)Charger still does not work Reported again 787) this is showing as an osprey chareger and is a actually a GeniePoint 788)Not charging 789)Still no power to the unit 790)Still not working never even been switched on 791)No chargers working 792)Doesnt want to connect 793)Never works 794)Not working Called the helpline and they said its not working 795)Chademo not working Have reported to Geniepoint and they will get someone out to look at it 796)Whilst supposed to be working I couldnt get it to charge It has told me via email that i had connected for 2 minutes and had 001 kwh Also took 8 charge which is now the norm 797)The machine is switched off 798)Not working 799)Wont start charging Ive never managed to get this one working 800)Only AC socket working Others are faulty Tried calling Engie on support line but cuts out after 1 ring 801)No power to the unit today 802)The machine is switched off 803)Out of service 804)Oops 805)65kW 806)Working well today 64kW 807)64kW 808)Door A on Dina Mack not working 809)ICED 810)35kW again 811)Only 34kW 812)65kW 813)Blocked by an etron not charging Might buy an EV but theyll still park it like an Audi driver 814)DINA is ICED at the moment 815)Did you confirm the charge in the PodPoint app If not charging stops after 15 minutes 816)Used three times in recent days worked every time 817)Worked for about 10 minutes only then stopped charging 818)Charged whilst I was in Tesco but did interrupt when I unlocked car 819)After confirm stops charging 820)Wouldnt connect to charge 821)Not working 822)Are idle fees charged here 823)Nope just plug in and should work 824)Do you need a card or app to start the chargers 825)What level are the chargers on 826)Operational devices on level 3 827)Level 1 currently not in use 828)Car park signage 829)Car park entrance showing prices 830)Wouldnt work kept disconnecting 831)Appears to be energised now 832)Both chargers still not in use yet 833)Are these chargers working now 834)Charger 835)But only charges at 7kW 836)B will not work with leaf 837)7kw not 22kw 838)Looked like it was charging for 5 mins but then stopped 839)It did get up to a max of 12kW 840)Still out of service Hotel states that they have had difficulty getting it repaired 841)Out of order 842)Actually EVd by a Tesla According to Zapmap they have been sat on the charger for 9 hours so hopefully they will move soon 843)ICEd by Outlander PHEV who wasnt charging 844)Updated info to add detail as below Thks James 845)Please admin 846)Perhaps admin could note that this is behind a barrier and available only for hotel guests who pay extra for parking 847)Both charges vandalised 848)Type 2 charging at 11kW 849)Not working 850)Didnt work this afternoon 851)Machines are both off css connector bagged up 852)Didnt work couldnt connect 853)22Kw charger only gave 9Kw in 65 minutes 854)Out of service 855)App doesnt seem to work 856)20kw 857)charger oposite the Emmerdale studio experience 858)Wont connect 859)Trying to charge but charger says on use but it isnt 860)When trying to pay via ZapMap app reckoned ccs was already charging Chadmo charger was being used dont know if this had an impact 861)Not workingcharging 862)Charging at 17kw 863)All gravy 864)Stopped after 5 seconds 865)Max 24kW 866)Wouldnt work even after an engie engineer restarted it 867)2 hours 9 mins and only 22kw charge ouch 868)Start charge then plug in not before 869)22kwh but only got 8kwh 870)Working 871)No problem 70 minute limit 872)Working well 873)Still blocked by caravans 874)Travellers on site 875)can confirm people in leisure centre blocking off charger and with covid around who wonts to charge there any way with the kids running around 876)Not charging 877)not working 878)Genie point app not working but got it working using zappay 879)Not working 880)Hasnt worked for weeks Customer service totally disinterested 881)Wouldnt connect on network wouldnt charge 882)Machine frozen and not responding at all no charge 883)Still not connecting to network 884)not working 885)Not working 886)Not working 887)Not working 888)Not working 889)Not working 890)Yolo charging 891)Touch screen not working 892)Not registering or charging Neither is one in Morrisons car park 893)Out of service 894)Touch screen not working 895)Nothing but issues with GeniePoint Avoid 896)Not working 897)Chademo working well but screen said CCS was unavailable 898)Still unavailable Fault noted at engie 899)Not working 900)Made a noise didnt work 901)Wouldnt initiate charge Tried multiple times 902)Not working 903)Out of service Engie having issues today 904)Simply not working 905)Requires an emergency stop but I couldnt do it because the CCS charger is in use 906)CVS combo not working again 907)Kept tripping out tried disconnecting resetting 3 times 908)Broken again This is really a hit and miss charger at the moment Very unreliable Charges for 5 seconds then stops 909)After an unsuccessful charge on the Type 2 a 40 minute charge did the job on the Chademo 910)Type 2 attempted for the second time and the charge was unsuccessful or turned off 911)Tried this morning same issue as beforestops charging within 30 secondsused app and Engie card 912)Had to Egenie card then no probs 913)Working again 914)Still red on their app 915)Still not working 916)Device not working faulty 917)No power to device 918)Still offline on Engie app and website 919)Offline no longer appearing on the Engie interactive map 920)Switched off screen blank Same as Rothwell Marsh St as well Whats going on 921)Cable cut Out of order 922)Cable cut 923)Same issue at the Rothwell Marsh Street Carpark GeniePoint unit cables cut 924)Cable been cut 925)Just a short rapid topup today to get me up to Marsden back All working well 926)At last got Engie chargers working using an RFID card 927)Not working 928)Working well today on CCS 929)Unit not working 930)Still no power 931)Now charging 042 per kWh 932)22kwh works when nothing else is plugged in if someone uses the 50 them the ac is only 7 933)Not working 934)Its working 935)Wouldnt start the charge 936)No working 290721 937)Red on their app 938)Do you need an app to use this 939)Stops charging after a minute 940)No charge Cable stuck 941)Wont connect CCS 942)Remains out of order 943)Raised with West Yorkshire Combined Authority who say Engie have now responded and advised that this was reported over the Christmas break and that the feeder pillar was damaged when knockedover Northern Power Grid disconnected the DNO connection to make it safe so we have had to apply for another DNO connection This can unfortunately take a number of weeks We are expecting this to come through shortly and at this point we will book the workin to reinstall and reconnect 944)Not in use 945)Still out of service went by today no change 946)When I installed it 947)still out of service 948)Still out of service 949)someone has driven in to the fuse breaker box so os offline 950)Dont mind the puddle 951)Bit slowcharged around 30kw 952)offline all red 953) 954)No rapid availability 955)still not working 956)What do you need to use the charger Is it an app or need to be member of any club 957)Temporarily unavailable 958)Currently saying ChademoCCS unavailabletype 2 wirking 959)Zap pay didnt work on this charger last night Wouldnt connect Had to use GeniePoint app 960)No problem at all 961)Machine not working 962)Didnt like the BMW PHEV plugging into the 7kw Cancelled the charge and would start back up 963)Cannot be used to charge Keep showing 0kWh 964)50kw but charging at 35kw shouldnt complain though 965)Now working after the reset 966)Charging again through app 967)Back working after only taking RFID cards wouldnt work through app 968)Wouldnt connect Tried RFID and app 969)Cant connect both Neither the app or rfid work 970)Not working 971)Charging as I type 972)Has anyone lost a cable that was stuck in the type 2 socket please message on here so i can return to the owner 973)Now a vaccination centre 974)working 975)Its web based but you can add a short cut button to your phone and iPhone will save log on details 976)I think this is a web based one no app Web site isa hrefhttpsengiegeniecpmscom titlehttpsengiegeniecpmscom targetblankhttpsengiegeniecpmscoma 977)Please can you tell me what app that I need to get for iPhone when I searched the App Store for Engie the only one I saw was Italian 978)Chademo starts charging but repeatedly cuts out after 2 seconds 979)worked for 20 minutes then rebooted whilst charging 980)Only one parking spot for regular cars 981)Have to use engie website to connect 982)Hi there thank you for your feedback the information for this charge point has now been updated to reflect this 983)Postcode is incorrect It is LS4 2BL 984)Charger only seems to work if you have an RFID card as app not linking Not helped though by petrol cars parking in the electric bay for the leisure centre RFID works for Ford pass 985)None connecting avoid 986)Rfid card only no mobile connection 987)Has a red X on paying by contactless doesnt work unsure if zap pay app works or not 988)Doesnt take card payment Doesnt connect to zap app 989)Cables too short 990)Only works with rfid card as no mobile signal 991)Would not begin charging 992)Yet again still not working which has been the case for two weeks 993)Called Support Says it wont connect to network 3 weeks running now CCS 22kw and CCS 50kw 994)No working contacted customer services and no eta on repair 995)Wont connect 996)App wont connect Been months now 997)Faulted although the unit appears to have power No answer on helpline 998)So no charging here or at either place in Horsforth The public network is joke 999)Accepting rfid card 1000)Managed to start using RFID card the app would not start a charge This is in the middle of a car park with no lighting around and the instructions are not illuminated at all you will need a torch 1001)Didnt connect Ive tried it several times and it never connects 1002)Seems only to be working for RFID tokens Cables very short 1003)cable can only reach my car if i park in the taxi part 1004)Someone just left and ccs has error code 1005)Not working reported via pod app 1006)67kW Video Oops 1007)68kW 1008)CCS working 43kW 1009)Started off at 11kwh 1010)Started off at 11kW later dropped to 59kW for some reason 1011)69kW 1012)68kW 1013)69kW 1014)Only 36kW today 1015)69 kW 1016)Untethered 1017)Only 7kw for me 1018)Same problem at Rothwell Sports Centre GeniePoint unit Cables deliberately cut Looks like the metal thieves are out around Rothwell Managed to get a charge at Bannatyne Gym Wakefield A bit more expensive being InstaVolt but reliable 1019)Doesnt seem to be working 1020)Out of service again reported again 1021)DOA 1022)No display not working 1023)Peaking at 45kW 1024)Charger fault Not working 1025)Not working 1026)Been out for weeks now 1027)CCS and Type 2 faulted and says so on Genie point site too not been working for about a week 1028)Not working 1029)The contactless is not working 1030)These chargers seem to be always out of use 1031)Working no problems today 1032)Would not connect 1033)Someone has smashed the screen so cant see to use it 1034)Tried my FordPass RFID card and it didnt work There wasnt an alternative option to pay by credit cardApple pay as the option was crossed out on the payment panel Went to charge at GeniePoint Armley leisure centre instead and got a 50kW CCS no problem 1035)Its been out of use for weeks come on Geniepoint 1036)No power to machine All blank 1037)22Kwh in 40mins 1038)Connected and charge started but it automatically cancelled within 1 minute Tried it twice but the same thing happened 1039)Out of service 1040)17kw in 30mins 1041)Used the CCS charger via the GeniePoint app no problems Not a lot to do whilst charging if not using the leisure centre but they do have drinks vending machines in the entrance 1042)Wont charge Machine reset Still wont charge 1043)Not taking cards 1044)46kW 1045)ICEd 1046)Unit not working this morning 1047)Up and running again 1048)Charging at around 7kW not 22 1049)DC not working again type 2 AC working 1050)Wouldnt stop from website had to press emergency stop 1051)None working 1052)Charge worked cable too short to stay inside bay 1053)Working but took 2 attempts to start a charge 1054)This charger is working again now 1055)Still not working 1056)Only at 33kW car or charger 1057)didnt want to stop the charge through the app had to use the emergency stop button happened to the chap before me as well 1058)Covid test centre again has blocked the charger is off for the day 1059)It wouldnt release but if you press the emergency stop button it then releases its a known problem here 1060)does not charge 1061)Not connecting to my car nor the Tesla also trying to use it 1062)Semisuccessful charge Tripped out at 83 Chademo Im starting to think this charger doesnt like me 1063)This should be OmarArne This unit is possibly over heating as it keeps dropping to 37kW 1064)Iced 1065)3 sockets working but not connected to the podpoint app 1066)ICEd As per 1067)Only one of the four connection points working 1068)ICEd as per 1069)No longer here been removed 1070)Out of service 1071)Not in use 1072)B side not working 1073)Used A No problem 1074)Bays occupied by ICE vehicles 1075)All four back to working although 2 slots parked with ICE 1076)All four back to working although 2 slots parked with ICE 1077)Fenced off by guys working on drains around the chargers 1078)Spaces taken up by vans doing some form of work on the spaces 1079)Charged an M3 succesfully 1080)Managed to get connected and charge though all bats were occupied by ICE cars A lady was just panting as I approached and she offered to move No signage or painting to say restricted so cannot blame people as no obvious 1081)All were iCEd on arrival but one owner was just getting back to his car Doesnt look like theyve painted the parking bays or put signs up so not obvious 1082)Cars parked in all the bays no signs saying not to tho 1083)admin please delete devices 1 and 2 as they dont exist 3 of 4 bays iced 1084)Groundworks for this installation started this morning and the chap said it may be a couple of weeks before things are up and running 1085)Nothing yet 1086)No sign of any groundworks as of yet 1087)dont exist and never will according to Aldi 1088)these dont exist please remove from map 1089)30p per kW via the Chargepoint app 1090)And it is chargeable 1091)Chargepoint Map now says 30p per kW 1092)They are now set at 22p kWh 20 vat 1093)Advised no longer in use 1094)Used the LH charger had to phone security for the key which took 30 minutes but I needed the charge again needed the key to disconnect Security guard said theyre to be replaced with paid units next week 1095)1 Even though its a BP Pulse post its nothing to do with them They just installed it 2 You need to call the security office on 07773165771 for them to unlock it 1096)Just waited for security to unlock Works a treat 1097)Still out of service when I asked security Still no sign on unit 1098)Went to see security to turn on the charger and was told that the unit was not working and that they are going to put an out of order notice on it 1099)The number to enter on app does not work 1100)Its not showing on the BP pulse app so theres no way to start it 1101)Still Out of Order 1102)Both sides still out of order 1103)Image of charger 1104)Did charge on socket 1 using device N11102 but locked my cable so had to call the local security to unlock the cable for me Here is the number shared by another user here 07773165771 1105)Charge started and then stopped after 3 minutes Came back to the car and the post was no longer illuminated either side 1106)Reported charger to BP chargemaster reply below Charge point number 11102 is now under maintenance investigation and will be back in use as soon as possible Magdalena Kuro Customer Care Advisor 03300165126 magdalenakurocom bp pulse Breckland Linford Wood Milton Keynes Buckinghamshire MK14 6GY 1107)So this works but you have to go to the management office by subway and ask for the key they will then come and turn the key and your car will charge Asked them to put up a sign bp pulse have no idea about the point 1108)Still out of use 1109)Out of use 1110)chargers still out of used and covered up 1111)Borked 1112)Not working 1113)Still not working no notice advising as such 1114)out of order 1115)Not working 1116)both connectors still out of order 1117)both not working 1118)Not working Lights are on but nobodys home 1119)neither side working 1120)working 1121)working 1122)Im not convinced these are open to the public 1123)Where are these 1124)Screen didnt work 1125)The device is damaged No longer has a holder to put in 1126)Immediately reported an error after picking the charger up even before connecting to my car 1127)Only 55kw not 100 1128)Declined every card I tried 6 plus app wouldnt let me add any 1129)Declined every card I had 6 plus the app wouldnt let me add a card either 1130)4 bays but one blocked by a Nissan Leaf that is fully charged Is it frowned upon to disconnect a fully charged car at the terminal if its holding up a bay 1131)Both A and B working today 1132)Located at the back of Taco BellFive Guys 1133)Currently out of service 1134)Didnt charge at all Moved to another bay and that one worked immediately 1135)Pod point app now shows 28p kwh on all days now 1136)It works again Also they are installing another 9 chargers 2 next to existing ones 4 in next bank on level 2A and another 3 on level 2B 1137)LeviDion still out of order but thankfully the chap using ElleJane turned up and left just as I was on the phone to Pod Point 1138)What level are these located on please 1139)Level 2a 1140)Download App 1141)All worked as it should charged up fully 1142)Hi is there parking charges at this site 1143)Hi there thank you for your feedback the location of this charge point has now been updated to reflect this Admin 1144)Hi there thank you for your feedback the information for this charge point has now been updated to reflect this Admin 1145)Just received an email from Pod Point to say that device 1 has been remotely reset which should have fixed the connection issues 1146)4 x 7kW Pod Point Chargers 1147)Both ICEd 1148)Works only with Porsche or ionity cards Does not accept credit or debit card 1149)Do we have to pay for parking Or just charging 1150)Charging at 48kW 1151)Charger 17 rapid OOS 1152)not working 1153)not working 1154)Chargers are now repaired and fully operational as of 220822 o 1155)Cordoned off 1156)56kWh 1157)54kWh started through the bonnet app 1158)Saying ev not connected 1159)Brill charge as always 1160)Charging well 1161)Bit cramped with 2 dpd vans charging on screen in front of the rapid but cable just reached 1162)charging well 1163)54kW on Ioniq 1164)Anyone know the post code for the 100kW Alfa Power station advertised in the nwesletter want to try my IPACE on it 1165)Only charged at around 35kW 1166)Maxed out at around 40kwh and had to use the bonnet app to get it to work 1167)App doesnt work on android and dont have RFID card contactless didnt work either Avoid 1168)Charged at 29 kWh 1169)Refused the allstar card 1170)Worked with all star 1171)Charging at 34kWh took a couple of goes to get it started 1172)Not 100kw 35kw 1173)No power to unit 1174)No power to unit 1175)CVS charger isnt connecting 1176)Thank you for your visit 1177)Charging now for another 20 minutes 1178)Ive not got the app You have to scan the QR code on the machine and enter detailspay like that 1179)To confirm that the camera is there to catch ICEing only No time limit for our customers using the rapid charger in the middle bay 1180)Hi there thank you for your feedback the location of this charge point has now been updated to reflect this 1181)Please also amend the location of the charger to make it easier to find 1182)ZapMap please amend that this is only a 40kW rapid at present 1183)brill charger you can use AC and DC at same time 1184)charging well 1185)Still not working 1186)Grounding fault no charging 1187)Have to call Alfapower to manually start charge as app not working they expect updated app 7th September 1188)Cant start a charge 1189)Was still off last night 1190)Max speed 38KW 1191)Building materials in one of the charging bays Homeless people doing drugs in the bin store next to it Avoid 1192)Got max 39KW 1193)Not 60 KW 1194)Thank you for your visit 1195)friday morning on iPace CCS 1196)Connector issue reported 1197)70kw speed 1198)Charged ipace 82kw from around 30 to 45 1199)Charging the kona like a champ Cobwebs on the chademo ac charger One place iced 1200)Achieved 78kw peak on Hyundai Kona 1201)starting to get iced again 1202)Iced but managed to squeeze in Hope they apply the 100 penalty charge 1203)Adding second photo
Count positive, negative and neutral reviews separately.
dataFrame1['Sentiment']=dataFrame1['Polarity'].apply(getSentimentTextBlob)
dataFrame1['Sentiment'].value_counts()
Sentiment Positive 1505 Neutral 1277 Negative 524 Name: count, dtype: int64
In order to better understand the user's attitude towards EV charging stations, we plot the polarity and subjectivity, and visualize the three attitudes of the reviews.
plt.figure(figsize=(8,7))
for i in range(0, dataFrame.shape[0]):
plt.scatter(dataFrame1['Polarity'][i], dataFrame1['Subjectivity'][i], color='Blue')
plt.title('Sentiment Analysis')
plt.xlabel('Polarity')
plt.ylabel('Subjectivity')
plt.show()
senti_bar = dataFrame1.groupby(['Sentiment']).size().reset_index().rename(columns={0:'total_comments'})
barplot=plt.bar(x = 'Sentiment', height = 'total_comments',data = senti_bar,
color=["cornflowerblue", "lightgreen", "lightpink"],
)
my_dpi=96
plt.figure(figsize=(480/my_dpi,480/my_dpi),dpi=my_dpi)
pieplot=plt.pie(x='total_comments',data = senti_bar,
labels=['Negative','Neutral','Positive'],
colors=["cornflowerblue", "lightgreen", "lightpink"],
autopct='%.2f%%',
startangle=45,
)
basic_visualization=barplot+pieplot
NRCLex(or NRCLexicon) is an MIT-approved PyPI project by Mark M. Bailey which predicts the sentiments and emotion of a given text. The package contains approximately 27,000 words and is based on the National Research Council Canada (NRC) affect lexicon and the NLTK library’s WordNet synonym sets. Emotional affects measured include the following:
1.fear
2.anger
3.anticipation
4.trust
5.surprise
6.positive
7.negative
8.sadness
9.disgust
10.joy
In this project,we perform emotional analysis with NRCLex on primary emotion types in comments.
! pip install hvplot
Requirement already satisfied: hvplot in d:\anaconda\anacon\lib\site-packages (0.8.2) Requirement already satisfied: packaging in d:\anaconda\anacon\lib\site-packages (from hvplot) (21.3) Requirement already satisfied: colorcet>=2 in d:\anaconda\anacon\lib\site-packages (from hvplot) (3.0.1) Requirement already satisfied: holoviews>=1.11.0 in d:\anaconda\anacon\lib\site-packages (from hvplot) (1.15.2) Requirement already satisfied: bokeh>=1.0.0 in d:\anaconda\anacon\lib\site-packages (from hvplot) (2.4.3) Requirement already satisfied: numpy>=1.15 in d:\anaconda\anacon\lib\site-packages (from hvplot) (1.23.4) Requirement already satisfied: panel>=0.11.0 in d:\anaconda\anacon\lib\site-packages (from hvplot) (0.14.1) Requirement already satisfied: pandas in d:\anaconda\anacon\lib\site-packages (from hvplot) (1.4.4) Requirement already satisfied: Jinja2>=2.9 in d:\anaconda\anacon\lib\site-packages (from bokeh>=1.0.0->hvplot) (2.11.3) Requirement already satisfied: tornado>=5.1 in d:\anaconda\anacon\lib\site-packages (from bokeh>=1.0.0->hvplot) (6.1) Requirement already satisfied: PyYAML>=3.10 in d:\anaconda\anacon\lib\site-packages (from bokeh>=1.0.0->hvplot) (6.0) Requirement already satisfied: typing-extensions>=3.10.0 in d:\anaconda\anacon\lib\site-packages (from bokeh>=1.0.0->hvplot) (4.4.0) Requirement already satisfied: pillow>=7.1.0 in d:\anaconda\anacon\lib\site-packages (from bokeh>=1.0.0->hvplot) (9.2.0) Requirement already satisfied: pyct>=0.4.4 in d:\anaconda\anacon\lib\site-packages (from colorcet>=2->hvplot) (0.4.8) Requirement already satisfied: param<2.0,>=1.9.3 in d:\anaconda\anacon\lib\site-packages (from holoviews>=1.11.0->hvplot) (1.12.2) Requirement already satisfied: pyviz-comms>=0.7.4 in d:\anaconda\anacon\lib\site-packages (from holoviews>=1.11.0->hvplot) (2.0.2) Requirement already satisfied: pyparsing!=3.0.5,>=2.0.2 in d:\anaconda\anacon\lib\site-packages (from packaging->hvplot) (3.0.9) Requirement already satisfied: pytz>=2020.1 in d:\anaconda\anacon\lib\site-packages (from pandas->hvplot) (2022.1) Requirement already satisfied: python-dateutil>=2.8.1 in d:\anaconda\anacon\lib\site-packages (from pandas->hvplot) (2.8.2) Requirement already satisfied: requests in d:\anaconda\anacon\lib\site-packages (from panel>=0.11.0->hvplot) (2.28.1) Requirement already satisfied: setuptools in d:\anaconda\anacon\lib\site-packages (from panel>=0.11.0->hvplot) (65.5.0) Requirement already satisfied: tqdm>=4.48.0 in d:\anaconda\anacon\lib\site-packages (from panel>=0.11.0->hvplot) (4.64.1) Requirement already satisfied: bleach in d:\anaconda\anacon\lib\site-packages (from panel>=0.11.0->hvplot) (4.1.0) Requirement already satisfied: markdown in d:\anaconda\anacon\lib\site-packages (from panel>=0.11.0->hvplot) (3.3.4) Requirement already satisfied: MarkupSafe>=0.23 in d:\anaconda\anacon\lib\site-packages (from Jinja2>=2.9->bokeh>=1.0.0->hvplot) (2.0.1) Requirement already satisfied: six>=1.5 in d:\anaconda\anacon\lib\site-packages (from python-dateutil>=2.8.1->pandas->hvplot) (1.16.0) Requirement already satisfied: colorama in d:\anaconda\anacon\lib\site-packages (from tqdm>=4.48.0->panel>=0.11.0->hvplot) (0.4.5) Requirement already satisfied: webencodings in d:\anaconda\anacon\lib\site-packages (from bleach->panel>=0.11.0->hvplot) (0.5.1) Requirement already satisfied: idna<4,>=2.5 in d:\anaconda\anacon\lib\site-packages (from requests->panel>=0.11.0->hvplot) (3.4) Requirement already satisfied: urllib3<1.27,>=1.21.1 in d:\anaconda\anacon\lib\site-packages (from requests->panel>=0.11.0->hvplot) (1.26.13) Requirement already satisfied: charset-normalizer<3,>=2 in d:\anaconda\anacon\lib\site-packages (from requests->panel>=0.11.0->hvplot) (2.0.4) Requirement already satisfied: certifi>=2017.4.17 in d:\anaconda\anacon\lib\site-packages (from requests->panel>=0.11.0->hvplot) (2022.12.7) Could not fetch URL https://pypi.org/simple/pip/: There was a problem confirming the ssl certificate: HTTPSConnectionPool(host='pypi.org', port=443): Max retries exceeded with url: /simple/pip/ (Caused by SSLError(SSLEOFError(8, 'EOF occurred in violation of protocol (_ssl.c:1129)'))) - skipping
import geopandas as gpd
from matplotlib import pyplot as plt
import hvplot.pandas
import pysal
from collections import defaultdict
from matplotlib.pylab import cm
import mapclassify
import matplotlib as mpl
mpl.rcParams.update(mpl.rcParamsDefault)
C:\Users\Lenovo\AppData\Local\Temp\ipykernel_13116\4150260011.py:1: UserWarning: Shapely 2.0 is installed, but because PyGEOS is also installed, GeoPandas will still use PyGEOS by default for now. To force to use and test Shapely 2.0, you have to set the environment variable USE_PYGEOS=0. You can do this before starting the Python process, or in your code before importing geopandas: import os os.environ['USE_PYGEOS'] = '0' import geopandas In a future release, GeoPandas will switch to using Shapely by default. If you are using PyGEOS directly (calling PyGEOS functions on geometries from GeoPandas), this will then stop working and you are encouraged to migrate from PyGEOS to Shapely 2.0 (https://shapely.readthedocs.io/en/latest/migration_pygeos.html). import geopandas as gpd
Leeds = gpd.read_file('Leeds_MSOA.shp')
Leeds
| OBJECTID | MSOA11CD | MSOA11NM | LONG | LAT | Location | geometry | |
|---|---|---|---|---|---|---|---|
| 0 | 1716 | E02002337 | Leeds 008 | -1.752 | 53.880 | North | POLYGON ((418310.512 440995.504, 418283.825 44... |
| 1 | 1718 | E02002339 | Leeds 010 | -1.692 | 53.868 | North | POLYGON ((420442.406 442436.687, 420443.313 44... |
| 2 | 1719 | E02002340 | Leeds 011 | -1.678 | 53.868 | North | POLYGON ((421248.688 442315.812, 421284.073 44... |
| 3 | 2527 | E02002336 | Leeds 007 | -1.639 | 53.883 | North | POLYGON ((422959.334 445561.228, 422975.661 44... |
| 4 | 1717 | E02002338 | Leeds 009 | -1.709 | 53.870 | North | POLYGON ((419597.106 440500.097, 419562.826 44... |
| ... | ... | ... | ... | ... | ... | ... | ... |
| 102 | 2555 | E02002408 | Leeds 079 | -1.653 | 53.790 | West | POLYGON ((423776.193 431567.492, 423774.915 43... |
| 103 | 2573 | E02002427 | Leeds 098 | -1.479 | 53.752 | South | POLYGON ((434288.000 429323.000, 434364.000 42... |
| 104 | 1742 | E02002364 | Leeds 035 | -1.467 | 53.827 | Central | POLYGON ((435683.188 436999.312, 435702.687 43... |
| 105 | 2522 | E02002331 | Leeds 002 | -1.351 | 53.923 | North | POLYGON ((440555.510 449656.671, 440555.516 44... |
| 106 | 2521 | E02002330 | Leeds 001 | -1.402 | 53.927 | North | POLYGON ((438947.894 448132.517, 438947.907 44... |
107 rows × 7 columns
from nrclex import NRCLex
def emotion(x):
text = NRCLex(x)
if text.top_emotions[0][1] == 0.0:
return "No emotion"
else:
return text.top_emotions[0][0]
import nltk
import string
dataFrame1['Emotion'] = dataFrame1['comments'].apply(emotion)
import plotly.express as px
dataFrame1_chart = dataFrame1[dataFrame1.Emotion != "No emotion"]
b = dataFrame1_chart.Emotion.value_counts().index.tolist()
a = dataFrame1_chart.Emotion.value_counts(normalize = True).tolist()
row = pd.DataFrame({'scenario' : []})
row["scenario"] = b
row["Percentage"] = a
fig = px.treemap(row, path= ["scenario"], values="Percentage",title='Emotion Tree of EV Charge Stations Comments')
fig.show()
From our emotional tree created by Ploty, first of all, 41.4% of the comments are express positively towards the EV charge stations, that is almost half the comments. Secondly, 24.3% of people have trust in electric vehicle charging stations.Following trust emotion, is negative and fear being the at 10.1% and 8.3% respectively. Next, let's plot the distribution map of these emotions to see which areas have better ratings for charging piles and which places have poorer ratings.
dataFrame1_chart.head(2)
Leeds.head(2)
| OBJECTID | MSOA11CD | MSOA11NM | LONG | LAT | Location | geometry | |
|---|---|---|---|---|---|---|---|
| 0 | 1716 | E02002337 | Leeds 008 | -1.752 | 53.880 | North | POLYGON ((418310.512 440995.504, 418283.825 44... |
| 1 | 1718 | E02002339 | Leeds 010 | -1.692 | 53.868 | North | POLYGON ((420442.406 442436.687, 420443.313 44... |
dataFrame1_chart.head(2)
| index | id | longitude | latitude | address | postcode | comments | status | formatted_comments | formatted_comments1 | Polarity | Subjectivity | Analysis | Sentiment | Emotion | |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
| 0 | 0 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | Charged via prior appointment only whilst visi... | ['Unknown status'] | charged via prior appointment whilst visiting ... | charged via prior appointment only whilst visi... | 0.15 | 0.0 | Positive | Positive | fear |
| 1 | 1 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | I have just got a electric car how do I pay at... | ['Unknown status'] | got electric car pay point | i have just got a electric car how do i pay at... | 0.00 | 0.0 | Neutral | Neutral | positive |
dataFrame1_chart['emo']=dataFrame1_chart['formatted_comments1'].apply(lambda x: NRCLex(x).affect_frequencies)
dataFrame1_chart=pd.concat([dataFrame1_chart.drop(['emo'],axis=1),dataFrame1_chart['emo'].apply(pd.Series)],axis=1)
dataFrame1_chart.columns
Index(['index', 'id', 'longitude', 'latitude', 'address', 'postcode',
'comments', 'status', 'formatted_comments', 'formatted_comments1',
'Polarity', 'Subjectivity', 'Analysis', 'Sentiment', 'Emotion', 'fear',
'anger', 'anticip', 'trust', 'surprise', 'positive', 'negative',
'sadness', 'disgust', 'joy', 'anticipation'],
dtype='object')
emo=dataFrame1_chart.groupby(['postcode'])[['anger','trust','surprise','positive','negative','sadness','disgust','joy','anticipation']].sum().reset_index()
emo.head(5)
| postcode | anger | trust | surprise | positive | negative | sadness | disgust | joy | anticipation | |
|---|---|---|---|---|---|---|---|---|---|---|
| 0 | LS1 4AG | 1.023611 | 8.186706 | 3.222024 | 15.246032 | 4.813889 | 0.695833 | 0.211111 | 2.063690 | 4.113492 |
| 1 | LS1 4AP | 0.076923 | 0.153846 | 0.000000 | 0.076923 | 0.730769 | 0.730769 | 0.153846 | 0.000000 | 0.076923 |
| 2 | LS1 4AW | 1.000000 | 2.771825 | 0.894444 | 13.444048 | 5.100000 | 0.844444 | 0.361111 | 1.203968 | 4.505159 |
| 3 | LS1 4BN | 0.076923 | 0.076923 | 0.000000 | 0.307692 | 0.230769 | 0.076923 | 0.000000 | 0.076923 | 1.153846 |
| 4 | LS1 4DL | 0.465909 | 0.215909 | 0.515152 | 2.299242 | 0.556818 | 0.340909 | 0.090909 | 0.549242 | 1.715909 |
links = pd.read_csv('National_Statistics_Postcode_Lookup_UK.csv')
postcode_dict = {}
for i in tqdm(range(len(links))):
postcode_dict[links['Postcode 1'][i]] = links['Middle Super Output Area Code'][i]
postcode_dict[links['Postcode 2'][i]] = links['Middle Super Output Area Code'][i]
postcode_dict[links['Postcode 3'][i]] = links['Middle Super Output Area Code'][i]
print(len(postcode_dict))
100%|█████████████████████████████████████████████████████████████████████| 1778655/1778655 [01:16<00:00, 23284.23it/s]
3601951
Add MSOA column to dataFrame1_chart by using postcode_dict.
dataFrame1_chart['MSOA'] = dataFrame1_chart['postcode'].map(postcode_dict)
dataFrame1_chart.head(5)
| index | id | longitude | latitude | address | postcode | comments | status | formatted_comments | formatted_comments1 | ... | anticip | trust | surprise | positive | negative | sadness | disgust | joy | anticipation | MSOA | |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
| 0 | 0 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | Charged via prior appointment only whilst visi... | ['Unknown status'] | charged via prior appointment whilst visiting ... | charged via prior appointment only whilst visi... | ... | 0.0 | 0.000000 | 0.166667 | 0.166667 | 0.0 | 0.166667 | 0.0 | 0.166667 | 0.166667 | E02002368 |
| 1 | 1 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | I have just got a electric car how do I pay at... | ['Unknown status'] | got electric car pay point | i have just got a electric car how do i pay at... | ... | 0.0 | 0.142857 | 0.142857 | 0.285714 | 0.0 | 0.000000 | 0.0 | 0.285714 | 0.142857 | E02002368 |
| 2 | 2 | 1563 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | All good Hard to find its next to Tarte Berry... | ['Unknown status'] | good hard find next tarte berry leeds karate a... | all good hard to find its next to tarte berry ... | ... | 0.0 | 0.142857 | 0.142857 | 0.428571 | 0.0 | 0.000000 | 0.0 | 0.142857 | 0.142857 | E02002368 |
| 4 | 4 | 2451 | -1.665348 | 53.803221 | 7 Richardshaw Lane Pudsey West Yorkshire | LS28 6BN | Charger bay blocked by staff vehicles when I h... | ['Unknown status'] | charger bay blocked staff vehicles food | charger bay blocked by staff vehicles when i h... | ... | 0.0 | 0.250000 | 0.000000 | 0.500000 | 0.0 | 0.000000 | 0.0 | 0.250000 | NaN | E02002391 |
| 5 | 5 | 2451 | -1.665348 | 53.803221 | 7 Richardshaw Lane Pudsey West Yorkshire | LS28 6BN | Successful charge and successful coffee | ['Unknown status'] | successful charge successful coffee | successful charge and successful coffee | ... | 0.0 | 0.250000 | 0.000000 | 0.250000 | 0.0 | 0.000000 | 0.0 | 0.250000 | 0.250000 | E02002391 |
5 rows × 27 columns
merged = dataFrame1_chart.merge(Leeds, how='outer', left_on='MSOA', right_on='MSOA11CD')
merged_emo = gpd.GeoDataFrame(merged, geometry="geometry", crs="EPSG:27700")
merged_emo.head()
merged_emo.columns
merged_emo.to_file('merged_emo.shp')
C:\Users\Lenovo\AppData\Local\Temp\ipykernel_13116\4029252179.py:5: UserWarning: Column names longer than 10 characters will be truncated when saved to ESRI Shapefile.
merged_emo = gpd.read_file('merged_emo.shp')
merged_emo.head()
| index | id | longitude | latitude | address | postcode | comments | status | formatted_ | formatte_1 | ... | joy | anticipati | MSOA | OBJECTID | MSOA11CD | MSOA11NM | LONG | LAT | Location | geometry | |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
| 0 | 0.0 | 1563.0 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | Charged via prior appointment only whilst visi... | ['Unknown status'] | charged via prior appointment whilst visiting ... | charged via prior appointment only whilst visi... | ... | 0.166667 | 0.166667 | E02002368 | 1745.0 | E02002368 | Leeds 039 | -1.681 | 53.827 | West | POLYGON ((419355.781 435037.518, 419358.147 43... |
| 1 | 1.0 | 1563.0 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | I have just got a electric car how do I pay at... | ['Unknown status'] | got electric car pay point | i have just got a electric car how do i pay at... | ... | 0.285714 | 0.142857 | E02002368 | 1745.0 | E02002368 | Leeds 039 | -1.681 | 53.827 | West | POLYGON ((419355.781 435037.518, 419358.147 43... |
| 2 | 2.0 | 1563.0 | -1.664528 | 53.817094 | Springfield Commercial Centre Pudsey West York... | LS28 5LY | All good Hard to find its next to Tarte Berry... | ['Unknown status'] | good hard find next tarte berry leeds karate a... | all good hard to find its next to tarte berry ... | ... | 0.142857 | 0.142857 | E02002368 | 1745.0 | E02002368 | Leeds 039 | -1.681 | 53.827 | West | POLYGON ((419355.781 435037.518, 419358.147 43... |
| 3 | 4.0 | 2451.0 | -1.665348 | 53.803221 | 7 Richardshaw Lane Pudsey West Yorkshire | LS28 6BN | Charger bay blocked by staff vehicles when I h... | ['Unknown status'] | charger bay blocked staff vehicles food | charger bay blocked by staff vehicles when i h... | ... | 0.250000 | NaN | E02002391 | 2538.0 | E02002391 | Leeds 062 | -1.666 | 53.805 | West | POLYGON ((421257.289 435232.670, 421258.136 43... |
| 4 | 5.0 | 2451.0 | -1.665348 | 53.803221 | 7 Richardshaw Lane Pudsey West Yorkshire | LS28 6BN | Successful charge and successful coffee | ['Unknown status'] | successful charge successful coffee | successful charge and successful coffee | ... | 0.250000 | 0.250000 | E02002391 | 2538.0 | E02002391 | Leeds 062 | -1.666 | 53.805 | West | POLYGON ((421257.289 435232.670, 421258.136 43... |
5 rows × 34 columns
Emotional maps are known as a concept mainly within the western geography school. Maps have power to present spatial information in understandable and widely accepted form to general public.
Then emotional maps are created. The geographic data of Leeds is collected from Leeds Observatory. EV Charging Stations Comments data is processed and joined with Leeds map, and combined with a map of Leeds to generate four sentiment map with the top four sentiments 'positive', 'trust', 'negative', 'fear'.
%matplotlib inline
fig, ax = plt.subplots(1, figsize=(10,7))
ax.axis('off')
ax.set_title('positive', fontsize=28)
merged_emo.plot(ax=ax, column="positive", scheme='naturalbreaks', legend=True,legend_kwds={'loc': 'lower left'}, cmap = plt.get_cmap('Reds'),linewidth=0.3, edgecolor='black', aspect='auto', missing_kwds={"color": "white"})
<Axes: title={'center': 'positive'}>
fig, ax = plt.subplots(1, figsize=(10,7))
ax.axis('off')
ax.set_title('trust', fontsize=28)
merged_emo.plot(ax=ax, column="trust", scheme='naturalbreaks', legend=True,legend_kwds={'loc': 'lower left'}, cmap = plt.get_cmap('Oranges'),linewidth=0.3, edgecolor='black', aspect=1, missing_kwds={"color": "white"})
<Axes: title={'center': 'trust'}>
fig, ax = plt.subplots(1, figsize=(10,7))
ax.axis('off')
ax.set_title('negative', fontsize=28)
merged_emo.plot(ax=ax, column="negative", scheme='naturalbreaks', legend=True,legend_kwds={'loc': 'lower left'}, cmap = plt.get_cmap('YlOrBr'),linewidth=0.3, edgecolor='black', aspect=1, missing_kwds={"color": "white"})
<Axes: title={'center': 'negative'}>
fig, ax = plt.subplots(1, figsize=(10,7))
ax.axis('off')
ax.set_title('fear', fontsize=28)
merged_emo.plot(ax=ax, column="fear", scheme='naturalbreaks', legend=True,legend_kwds={'loc': 'lower left'}, cmap = plt.get_cmap('Greens'),linewidth=0.3, edgecolor='black', aspect=1, missing_kwds={"color": "white"})
<Axes: title={'center': 'fear'}>
Word Cloud
After creating word clouds based on comments with positive, negative and neutral attitudes, the results show that: among the positive words, 'good' and 'fine' are made when describing that the charging was good, indicating that the user was satisfied with this charge; the frequent The word 'free' is a comment made when the user can find an empty charging post, indicating that the charging location is not very crowded. Based on the three negative words 'unable', 'time' and 'slow', we can therefore determine that when problems arise, users will appear to complain about the unavailability of the charging post, the long charging time and the slow charging speed. Finally, among the key words that maintain a neutral attitude to the comments, the presence of 'reported' may mean that the EV charging pile shows some malfunction or problem, or that the EV charging power is shown to be insufficient. The meaning behind the word 'still' may be intended to convey that there is always a failure to charge or that there is always a malfunction. The word 'power' is a noun that may or may not mean that the charging is successful, for which we are not sure. According to the bar chart, of the 3,306 comments on Leeds EV charging stations, more than 800 mention the word 'charge' and more than 400 mention the words 'working' and 'charging'. The counts between 200-400 are 'app', 'charger', 'car', 'use' and 'good', and the counts below 200 are 'fine', 'card', 'still', 'free',' get', 'charges' and 'one'. Also, in the top fifteen word clouds, it is difficult to see negative words.
Polarity and Subjectivity
The scatterplot of the sentiment frequency distribution shows that most of the comments are positive, with a polarity between 0 and 0.5; most of the comments are opinions on EV charging stations, with a subjective distribution between 0.3 and 0.8. According to the histogram, more than 1400 comments are positive, representing 45.2% about half of all comments, more than 1200 neutral comments, 38.63 of the total, and then about 500 negative comments representing 15.85 of the total.
Emotional Type and Maping
From our emotional tree created by Ploty, first of all, 41.4% of the comments are express positively towards the EV charge stations, that is almost half the comments. Secondly, 24.3% of people have trust in electric vehicle charging stations.Following trust emotion, is negative and fear being the at 10.1% and 8.3% respectively. Next, let's plot the distribution map of these emotions to see which areas have better ratings for charging piles and which places have poorer ratings.
It is worth noting that we can see that some areas are empty values, the reason is that there are perhaps no EV charging posts in these areas, or then the EV charging posts in these areas have not been used or evaluated by anyone. First of all, according to the data, there are areas in the east and northwest that do not have charging posts. The areas with more positive and negative reviews are mainly in the city center and to the south of it; the areas with more trust in EV charging posts are in the north and west of Leeds city center; and the EV charging posts that give users a sense of fear are mostly in the city center.
There are a number of limitations to the project we need to discuss as following:
1.The data for this project comes from the Zap-Map platform, which covers 95% of publicly accessible devices, but private home and workplace charging devices are not included in these statistics because they are not necessarily available to the public. Therefore, the data for this project does not include private home and workplace charging devices.
2.Our data are all reviews up to January 23, 2023, which may be inaccurate because some reviews are from 4 years ago or even further back, moreover, EV charging stations were not very advanced then compared to now, charging patterns were not well developed, and there are many new charging stations added over time, this before and after is something that should have a comparative analysis. Therefore, further studies should consider finer time scales, such as 1 or 2 year intervals, for the accuracy of the analysis.
3.The last limitation of our study is that some EV charging posts have zero reviews, so we are unable to obtain users' attitudes towards them, which also has an impact on the results of our later spatial distribution visualisation.
If these problems are solved, the accuracy of the project will be greatly improved.
Based on location data and user review data from 134 charging posts, we developed a sentiment analysis for user reviews of electric vehicle charging stations in Leeds. By creating word clouds for the reviews, calculating polarity and subjectivity, analyzing sentiment types and mapping them, we counted the keywords of the reviews and showed the spatial distribution of the reviews with different sentiment types in space.
Using the word cloud and the polarity and subjectivity calculations, we found that most users had a good charging experience, but this does not justify us to ignore the negative comments. For the analysis results show that most of the people's problems arise from the availability of charging posts, charging time, charging speed and the existence of vacant spots. Therefore, the relevant authorities should pay more attention to these factors that affect users' charging experience.
Considering the spatial differences in the evaluation of different sentiment types, the government should pay more attention to EV charging stations in central and southern Leeds to ensure smooth, efficient and affordable charging for users, for example by considering the safety, reliability, durability, power rating and cost of different charging methods, and by regularly servicing and evaluating charging posts. In addition, the charging time and lifetime of EV batteries are related to the characteristics of the charger, which must first ensure proper charging of the batteries. Therefore, the government can also popularize EV charging methods and precautions to citizens in different ways, so that more and more people can be familiar with the mode and usage of EV charging. Finally, attention should also be paid to the areas in eastern Leeds where charging posts are less distributed, and the number of charging stations should be appropriately adjusted to ensure that EVs can easily find charging stations and can be charged efficiently, in order to optimize the rebalancing plan for the whole city.
Department for Business, Energy & Industrial Strategy and Ofgem. "Reducing the UK's carbon footprint and managing competitiveness risks". 2013. [online] Available from:
https://assets.publishing.service.gov.uk/government/uploads/system/uploads/attachment_data/file/1129728/electric-vehicle-smart-charging-action-plan.pdf.
Official Statistics. Electric vehicle charging device statistics: January 2023. 2023. [Online]. Available from:
https://www.gov.uk/government/statistics/electric-vehicle-charging-device-statistics-january-2023/electric-vehicle-charging-device-statistics-january-2023#annex-c-regional-changes-table.
Agarwal, B., Mittal, N., Bansal, P., and Garg, S. 2015. Sentiment analysis using common-sense and context information. Computational intelligence and neuroscience. pp. 30-30.
Chalothom, T., and Ellman, J. 2015. Simple approaches of sentiment analysis via ensemble learning. In information science and applications. Springer Berlin Heidelberg. pp.631-639.
Koehler, M., Greenhalgh, S., and Zellner, A. 2015. Potential applications of sentiment analysis in educational research and practice–Is SITE the friendliest conference?. In Society for Information Technology & Teacher Education International Conference. Association for the Advancement of Computing in Education (AACE). pp.1348-1354.
Peng, L., Cui, G., Zhuang, M., and Li, C. 2014. What do seller manipulations of online product reviews mean to consumers?.